http://www.helloweba.com/view-blog-159.html 本文将结合实际,使用php读取mysql数据表中的数据,并将获取的数据按照要求输出给前端js,再通过配置调用highcharts图表库生成饼状图。 1、准备 为了更好的讲解,实例中在mysql数据库中建立一张表chart_pie,用
http://www.helloweba.com/view-blog-159.html
本文将结合实际,使用php读取mysql数据表中的数据,并将获取的数据按照要求输出给前端js,再通过配置调用highcharts图表库生成饼状图。
1、准备为了更好的讲解,实例中在mysql数据库中建立一张表chart_pie,用于表示各搜索引擎带来的访问量,表中分别有id、title和pv三个字段,id是自增长整型、主键;title表示搜素引擎的名称,pv表示对应的访问量。chart_pie表中已预置了相关数据,如图:
2、php在pie.php文件中,写入如下代码:
include_once('connect.php'); //连接数据库
$res = mysql_query(select * from chart_pie);
while($row = mysql_fetch_array($res)){
$arr[] = array(
$row['title'],intval($row['pv'])
);
}
$data = json_encode($arr);
代码中使用原生的php查询mysq数据的方法,将查询的结果集保存在一个数组$arr里,并将该数组转换 以备前端js调用。
3、javascript通过配置highcharts,可以生成一个漂亮的饼状图,详见代码及注释,如果你还不知道highcharts是什么东东,请查阅本站(helloweba.com
var chart;
$(function() {
chart = new highcharts.chart({
chart: {
renderto: 'chart_pie', //饼状图关联html元素id值
defaultseriestype: 'pie', //默认图表类型为饼状图
plotbackgroundcolor: '#ffc', //设置图表区背景色
plotshadow: true //设置阴影
},
title: {
text: '搜索引擎统计分析' //图表标题
},
credits: {
text: 'helloweba.com'
},
tooltip: {
formatter: function() { //鼠标滑向图像提示框的格式化提示信息
return '' + this.point.name + ': ' +
twodecimal(this.percentage) + ' %';
}
},
plotoptions: {
pie: {
allowpointselect: true, //允许选中,点击选中的扇形区可以分离出来显示
cursor: 'pointer', //当鼠标指向扇形区时变为手型(可点击)
//showinlegend: true, //如果要显示图例,可将该项设置为true
datalabels: {
enabled: true,
color: '#000000', //数据显示颜色
connectorcolor: '#999', //设置数据域扇形区的连接线的颜色
style:{
fontsize: '12px' //数据显示的大小
},
formatter: function() { //格式化数据
return '' + this.point.name + ': ' +
twodecimal(this.percentage) + ' %';
}
}
}
},
series: [{ //数据列
name: 'search engine',
data: //核心数据列来源于php读取的数据并解析成json
}]
});
});
上述代码中,核心数据data来源于pie.php中php转换的json数据:$data。转换后输出的json数据格式为:
[[\u767e\u5ea6,1239],[google,998],[\u641c\u641c,342],[\u5fc5\u5e94,421],
[\u641c\u72d7,259],[\u5176\u4ed6,83]]
不用担心,highcharts会自动将json数据解析处理,并生成百分比的数据。
其实,highcharts生成的饼状图还可以设置默认初始选中的扇形,即默认选中的扇形会从整圆形中分离出来,以便突出显示。该效果要求默认data格式为:
[{name:\u767e\u5ea6,y:1239,sliced:true,selected:true},[google,998],
[\u641c\u641c,342],[\u5fc5\u5e94,421],[\u641c\u72d7,259],[\u5176\u4ed6,83]]
注意看代码中前部分:{name:\u767e\u5ea6,y:1239,sliced:true,selected:true},这个字符串如何用php得到呢?这就要修改pie.php中的php部分代码:
while($row = mysql_fetch_array($res)){
if($row['id']==1){
$arr1[] = array(
name => $row['title'],
y => intval($row['pv']),
sliced => true, //默认分离
selected => true //默认选中
);
}else{
$arr[] = array(
$row['title'],intval($row['pv'])
);
}
}
//合并数组
$arrs = array_merge($arr1,$arr);
$data = json_encode($arrs);
我们在循环遍历结果集时,当id为1时,将该项设置为默认选中扇形区,构建数组$arr1,否则构建另一个数组$arr,然后将这两个数组合并,并将合并后的数组转换为json数据,供highcharts调用。
此外,格式化数据市,如果要显示百分比,可使用this.percentage,highcharts会自动将整数转换为百分数,如果要显示数据量,直接使用this.y。
使用百分比:
formatter: function() { //格式化数据
return '' + this.point.name + ': ' + twodecimal(this.percentage) + ' %';
}
使用实际数据:
formatter: function() { //格式化数据
return '' + this.point.name + ': ' + this.y ;
}