Reputation: 3
Here am getting data from mysql..
if (!empty($result1)) {
while ($row1 = mysqli_fetch_array($result1)) {
$caseno = $row1['cases'];
echo "<b>" . $caseno . "<br>";
}
}
and i want pass the data which is there in $caseno
to my below JavaScript..
<script type="text/javascript">
var gaugevalue = document.getElementById("$caseno");
var myConfig2 = {
"type": "gauge",
"scale-r": {
"aperture": 200, //Scale Range
"values": "0:50:10" //and minimum, maximum, and step scale values.
},
"series": [{"values": [gaugevalue]}]
//"series":[{"values":[40]}]
};
zingchart.render({
id: 'myChart',
data: myConfig2,
height: "90%",
width: "90%"
});
</script>
Upvotes: 0
Views: 88
Reputation: 5769
I analyzed your code more attentively and noticed that gaugevalue
must be an array of integers, while you are trying to pass to it a DOM element. So your full code should look like this:
<?php
$gauge_values = [];
if (!empty($result1)) {
while ($row1 = mysqli_fetch_array($result1)) {
$gauge_values[] = $row1['cases'];
}
}
?>
<script type="text/javascript">
var myConfig2 = {
"type": "gauge",
"scale-r": {
"aperture": 200, //Scale Range
"values": "0:50:10" //and minimum, maximum, and step scale values.
},
"series": [{"values": <?php echo json_encode($gauge_values); ?>}]
};
zingchart.render({
id: 'myChart',
data: myConfig2,
height: "90%",
width: "90%"
});
</script>
Upvotes: 2
Reputation: 1981
1st Method:
In your php code, you can do:
$caseno = $row1['cases'];
In your javascript code, you can do:
var gaugevalue = "<?php echo $caseno ?>";
2nd Method:
In your php code, you can do:
echo '<input type="hidden" id="caseno" value="'.$caseno.'">';
In your javascript code, you can do:
var gaugevalue = document.getElementById("caseno");
It's simple and easy.
Upvotes: 0
Reputation: 13
Try this way instead:
<script type="text/javascript">
var gaugevalue = "<?php echo $caseno ?>";
var gaugevalue = "<?= echo $caseno ?>"; //for shorthand
</script>
Upvotes: 1
Reputation: 22
put you JavaScript in php:
<?php
echo "
<script type="text/javascript">
var gaugevalue = document.getElementById("$caseno");
var myConfig2 = {
"type":"gauge",
"scale-r":{
"aperture":200, //Scale Range
"values":"0:50:10" //and minimum, maximum, and step scale values.
},
"series":[{"values":[gaugevalue]}]
//"series":[{"values":[40]}]
};
zingchart.render({
id : 'myChart',
data : myConfig2,
height : "90%",
width: "90%"
});
</script>
"
?>
You can pass your variable like this.
Upvotes: -1