(Please note: There are lots of answers for v2, this is for v3)
I’m trying to setup tooltips label
and title
for a doughnut chart.
Code:
JavaScript
x
38
38
1
//Create the donut chart
2
donut = new Chart('questions_positivity_donut', {
3
type: 'doughnut',
4
data: {
5
labels: ["Positive", "Other"],
6
datasets: [{
7
label: 'Sentiment',
8
data: [user_context.state.avg_joy, (1-user_context.state.avg_joy)],
9
backgroundColor: ['#a9a9a9','#f2f2f2']
10
}]
11
},
12
options: {
13
cutout: "70%",
14
plugins: {
15
legend: {
16
display: false
17
},
18
maintainAspectRatio: false,
19
responsive: true,
20
tooltip: {
21
callbacks: {
22
label: function(context) {
23
24
let label = new Intl.NumberFormat('en-US', {style: 'percent', minimumFractionDigits: 0, maximumFractionDigits: 0}).format(context.formattedValue);
25
return label;
26
},
27
title: function(context) {
28
29
let title = context.parsed.x;
30
return title;
31
}
32
},
33
displayColors: false
34
}
35
}
36
}
37
});
38
The label
now works, and displays the value of the data, but the title
is returning blank, instead of returning the label of the data (“Positive” or “Other”).
How can I return the correct title in the tooltip.callback
?
Example: “Positive 35%” and “Other 65%”
Advertisement
Answer
If you log the context you could see its an array containing objects, with the default interaction mode you are using it only contains a single item so you can select that one and then access the label
attribute on it like so:
JavaScript
1
35
35
1
var options = {
2
type: 'doughnut',
3
data: {
4
labels: ["Red", "Blue", "Yellow", "Green", "Purple", "Orange"],
5
datasets: [{
6
label: '# of Votes',
7
data: [12, 19, 3, 5, 2, 3],
8
backgroundColor: ["Red", "Blue", "Yellow", "Green", "Purple", "Orange"]
9
}]
10
},
11
options: {
12
plugins: {
13
tooltip: {
14
callbacks: {
15
label: function(context) {
16
17
let label = new Intl.NumberFormat('en-US', {
18
style: 'percent',
19
minimumFractionDigits: 0,
20
maximumFractionDigits: 0
21
}).format(context.formattedValue);
22
return label;
23
},
24
title: function(context) {
25
let title = context[0].label;
26
return title;
27
}
28
},
29
}
30
}
31
}
32
}
33
34
var ctx = document.getElementById('chartJSContainer').getContext('2d');
35
new Chart(ctx, options);
JavaScript
1
4
1
<body>
2
<canvas id="chartJSContainer" width="600" height="400"></canvas>
3
<script src="https://cdnjs.cloudflare.com/ajax/libs/Chart.js/3.5.1/chart.js"></script>
4
</body>