Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Make Chart.js horizontal bar labels multi-line

Just wondering if there is any way to set the horizontal bar labels for y-axis using chart.js. Here is how I set up the chart:

<div class="box-body">
<canvas id="chart" style="position: relative; height: 300px;"></canvas>
</div>

Javascript:

    var ctx = document.getElementById('chart').getContext("2d");
    var options = {
        layout: {
            padding: {
              top: 5,
            }
        },
        responsive: true,
        animation: {
            animateScale: true,
            animateRotate: true
        },
    };

    var opt = {
      type: "horizontalBar",
      data: { 
        labels: label, 
        datasets: [{ 
        data: price, 
        }] 
      }, 
      options: options
    };

    if (chart) chart.destroy();
    chart= new Chart(ctx, opt);

    chart.update();

As you all can see, the first and third labels are too long and cut off. Is there a way to make the label multi-line?

like image 747
BlackMamba Avatar asked Aug 02 '17 04:08

BlackMamba


2 Answers

If you want to have full control over how long labels are broken down across lines you can specify the breaking point by providing labels in a nested array. For example:

var chart = new Chart(ctx, {
...
  data: {
    labels: [["Label1 Line1:","Label1 Line2"],["Label2 Line1","Label2 Line2"]],
    datasets: [{
...
});
like image 92
Jacek Jońca-Jasiński Avatar answered Oct 22 '22 20:10

Jacek Jońca-Jasiński


You can use the following chart plugin :

plugins: [{
   beforeInit: function(chart) {
      chart.data.labels.forEach(function(e, i, a) {
         if (/\n/.test(e)) {
            a[i] = e.split(/\n/);
         }
      });
   }
}]

add this followed by your chart options

ᴜꜱᴀɢᴇ :

add a new line character (\n) to your label, wherever you wish to add a line break.

ᴅᴇᴍᴏ

var chart = new Chart(ctx, {
   type: 'horizontalBar',
   data: {
      labels: ['Jan\n2017', 'Feb', 'Mar', 'Apr'],
      datasets: [{
         label: 'BAR',
         data: [1, 2, 3, 4],
         backgroundColor: 'rgba(0, 119, 290, 0.7)'
      }]
   },
   options: {
      scales: {
         xAxes: [{
            ticks: {
               beginAtZero: true
            }
         }]
      }
   },
   plugins: [{
      beforeInit: function(chart) {
         chart.data.labels.forEach(function(e, i, a) {
            if (/\n/.test(e)) {
               a[i] = e.split(/\n/);
            }
         });
      }
   }]
});
<script src="https://cdnjs.cloudflare.com/ajax/libs/Chart.js/2.6.0/Chart.min.js"></script>
<canvas id="ctx"></canvas>
like image 40
ɢʀᴜɴᴛ Avatar answered Oct 22 '22 19:10

ɢʀᴜɴᴛ