0

我正在创建一个带有角度图表的图表,并且在获取我需要的图表时遇到了问题。

我希望 x 轴具有日期和鼠标悬停以显示客户端名称,它们都是从资源对象数组的循环中提供的。

这是循环:

angular.forEach(charts, function(chart, key) {
             var d = new Date(chart.appointment_date).toDateString();

             $scope.labels.push(d);
             $scope.total_earnings += chart.cost.dollars;
               $scope.data[0].push(chart.cost.dollars);
               if (!chart.refundObj[0]){
                 $scope.data[1].push(0);
                } else {
                 $scope.data[1].push((chart.refundObj[0].amount/100));
                }
            });

但这只会在 x 轴以及鼠标悬停中设置日期属性。如果我使用以下内容创建对象:

$scope.labels.push({date: d, name: clientName});

结果只显示 [Object, Object]。

我使用以下内容作为图表的基础:

http://jtblin.github.io/angular-chart.js/#getting_started

4

1 回答 1

2

角度图表基于 Chart.js。Chart.js 需要一个用于标签的字符串数组。当您插入对象时,Chart.js 使用 toString 将其转换为字符串,当未定义 toString 时,对象变为 [Object, Object]。

通过构造正确的对象并设置选项来获得您想要的非常简单。

HTML

<div ng-app="app">
    <div ng-controller="ctrlr">
        <canvas id="line" class="chart chart-line" data="data"
                labels="labels" options="options"></canvas>
    </div>
</div>

JS

这里我们构造了一个特殊对象 SpecialLabel,它在调用 toString 时返回轴标签。我们在构造工具提示时也重写了 tooltipTemplate 以返回 tooltipLabel

var app = angular.module('app', ['chart.js']);

app.controller('ctrlr', ['$scope', function ($scope) {

    var SpecialLabel = function (axisLabel, tooltipLabel) {
        this.axisLabel = axisLabel;
        this.tooltipLabel = tooltipLabel;
    }
    SpecialLabel.prototype.toString = function () {
        return this.axisLabel
    }

    $scope.labels = [
    new SpecialLabel("10-Jan", "Client 1"),
    new SpecialLabel("11-Jan", "Client 2"),
    new SpecialLabel("12-Jan", "Client 3"),
    new SpecialLabel("13-Jan", "Client 4"),
    new SpecialLabel("14-Jan", "Client 5"),
    new SpecialLabel("15-Jan", "Client 6"),
    new SpecialLabel("16-Jan", "Client 7")];

    $scope.data = [
        [65, 59, 80, 81, 56, 55, 40]
    ];

    $scope.options = {
        tooltipTemplate: "<%if (label){%><%=label.tooltipLabel%>: <%}%><%= value %>"
    }
}])

小提琴 - http://jsfiddle.net/xg2pd1cu/

于 2015-07-05T09:00:18.357 回答