Reputation: 270
I have an array in my page_load in c# which i want to access in java script but don't know how to do that..
float [] energyArray = new float[count];
for (int i = 0; i < count; i++)
{
energyArray[i] = energyObj[i].FwdHr;
}
Now i want to access in javascript in place of data-
series: [{
name: 'Tokyo',
data: [7.0, 6.9, 9.5, 14.5, 18.2, 21.5, 25.2, 26.5, 23.3, 18.3, 13.9, 9.6]
}]
Upvotes: 4
Views: 14617
Reputation: 6434
Changing your problem a little bit here...
Instead of manipulating an already existing script, consider constructing the whole javascript string block and then use Page.RegisterClientScriptBlock
.
http://msdn.microsoft.com/en-us/library/system.web.ui.page.registerclientscriptblock.aspx
int[] yourArray = new int[] { 1, 2, 3 };
string arrElements = string.Join(",", yourArray.Select(x => x.ToString()).ToArray());
string strJs = string.Format("var yourArray=[{0}]", arrElements);
RegisterClientScriptBlock("Test", strJs);
Upvotes: 3
Reputation: 9064
C# code behind:
float [] energyArray = new float[count];
public JavaScriptSerializer javaSerial = new JavaScriptSerializer();
Try This Code:
<script>
var a = <%= this.javaSerial.Serialize(this.energyArray) %>;
for (var i = 0; i < a.length; i++) {
console.log(a[i]);
}
</script>
Upvotes: 0
Reputation: 3088
Declare a HiddenField
<asp:HiddenField id="myHiddenField" runat="server"
Set it's value to your array.Tostring() in the code behind Then in your javascript
var h = document.getElementById('myHiddenField');
//Should give you an array of strings that you can cast to integers
Upvotes: 0
Reputation: 78525
A very easy way is to use the JavaScriptSerializer class to transform your C# object into JSON:
C#
float [] energyArray = new float[count];
for (int i = 0; i < count; i++)
{
energyArray[i] = energyObj[i].FwdHr;
}
Javascript:
var dataArray = <%=new JavaScriptSerializer().Serialize(energyArray);%>;
var series = [{
name: 'Tokyo',
data: dataArray
}];
Upvotes: 8
Reputation: 677
you would need to pass the array to the client side (tha javascript part) somehow:
I would suggest making an ajax request to a page, that would return the serialized array or as @Blade0rz suggested, to output the serialized string directly to the page. to serialize the array to a JSON format you would call the methods of the JavaScriptSerializer class:
more on it here
Upvotes: 0