从右到左绘制水平条形图

时间:2020-03-23 09:49:35

标签: javascript html css chart.js

正如您所看到的in this jsfiddle,我正在Chart.js中创建水平条形图。

我想更改图表方向,以便从右到左绘制。我尝试过dir = rtl和CSS direction=rtl,但是它们不起作用。

这就是我想要的: expected chart output

1 个答案:

答案 0 :(得分:5)

我在文档中找不到本机的方法来执行此操作,但是您可以通过对数据求反的相当简单的解决方法来做到这一点,以便Chart.js绘制负值:

  1. 反转数据集中的值:

    data.datasets[0].data.map((currentValue, index, array) => {
      array[index] = currentValue * -1;
    });
    
  2. 将y轴右对齐:

    scales: {
      yAxes: [{
        position: 'right'
        ...
    
  3. 用于显示的格式化工具提示:

    options = {
      tooltips: {
      callbacks: {
        label: function(tooltipItem, data) {
          var label = data.datasets[tooltipItem.datasetIndex].label || '';
    
          if (label) {
            label += ': ';
          }
          label += tooltipItem.xLabel * -1;
          return label;
        }
      }
      ...
    
  4. 重整显示刻度:

    xAxes: [{
      ticks: {
        callback: function(value, index, values) {
          return value * -1;
        }
    ...
    

这是一个可行的示例:

var data = {
  labels: ["x1", "x2", "x3", "x4", "x5"],
  datasets: [{
    label: "Actual",
    backgroundColor: 'rgba(0, 0, 255, 0.5)',
    borderWidth: 1,
    data: [40, 150, 50, 60, 70],
    yAxisID: "bar-y-axis1"
  }]
};

// invert the sign of each of the values.
data.datasets[0].data.map((currentValue, index, array) => {
  array[index] = currentValue * -1;
});

var options = {
  tooltips: {
    callbacks: {
      label: function(tooltipItem, data) {
        var label = data.datasets[tooltipItem.datasetIndex].label || '';

        if (label) {
          label += ': ';
        }
        label += tooltipItem.xLabel * -1; // invert the sign for display.
        return label;
      }
    }
  },
  scales: {
    yAxes: [{
      id: "bar-y-axis1",
      categoryPercentage: 0.5,
      barPercentage: 0.5,
      position: 'right' // right-align axis.
    }],

    xAxes: [{
      id: "bar-x-axis1",
      stacked: false,
      ticks: {
        callback: function(value, index, values) {
          return value * -1; // invert the sign for tick labelling.
        },
        beginAtZero: true
      }
    }]
  }
};

var ctx = document.getElementById("canvas").getContext("2d");
var myBarChart = new Chart(ctx, {
  type: 'horizontalBar',
  data: data,
  options: options
});
<script src="https://cdnjs.cloudflare.com/ajax/libs/Chart.js/2.8.0/Chart.min.js"></script>
<canvas id="canvas"></canvas>