I am trying to draw a pie chart using the d3.js and TypeScript library. I have the following code:
"use strict";
module Chart {
export class chart {
private chart: d3.Selection<string>;
private width: number;
private height: number;
private radius: number;
private donutWidth: number;
private dataset: { label: string, count: number }[];
private color: d3.scale.Ordinal<string, string>;
constructor(container: any) {
this.width = 360;
this.height = 360;
this.radius = Math.min(this.width, this.height) / 2;
this.donutWidth = 75;
this.dataset = [
{ label: 'Road', count: 5500 },
{ label: 'Bridge', count: 8800 },
{ label: 'Tunnel', count: 225 },
];
this.color = d3.scale.category10();
this.init(container);
}
private init(container) {
this.chart = d3.select(container).append('svg')
.attr('width', this.width)
.attr('height', this.height)
.append('g')
.attr('transform', 'translate(' + (this.width / 2) +
',' + (this.height / 2) + ')');
}
draw() {
var arc = d3.svg.arc()
.innerRadius(this.radius - this.donutWidth)
.outerRadius(this.radius);
var pie = d3.layout.pie()
.sort(null);
var path = this.chart.selectAll('path')
.data(pie(this.dataset.map(function(n) {
return n.count;
})))
.enter()
.append('path')
.attr('d', arc)
.attr('fill', function(d, i) {
return Math.random();
});
}
}
}
The code does not compile with an error:
Argument of type 'Arc<Arc>' is not assignable to parameter of type '(datum: Arc<number>, index: number, outerIndex: number) => string | number | boolean'.
>> Types of parameters 'd' and 'datum' are incompatible.
>> Type 'Arc' is not assignable to type 'Arc<number>'.
>> Property 'value' is missing in type 'Arc'.
A compilation error appears when I try to add an attribute d
to each of the elements path
on my svg:
var path = this.chart.selectAll('path')
.data(pie(this.dataset.map(function(n) {
return n.count;
})))
.enter()
.append('path')
.attr('d', arc)
.attr('fill', function(d, i) {
return Math.random();
});
According to the documentation, an arc is "both an object and a function." and I see that I can access it by calling arc(datum[, index])
just using hardcoding arc[0]
. When I do this, my compilation error disappears, but the attribute of d
each element path
in svg is missing, and I end with svg like:
<svg height="360" width="360">
<g transform="translate(180,180)">
<path fill="0.35327279710072423"></path>
<path fill="0.6333000506884181"></path>
<path fill="0.9358429045830001"></path>
</g>
</svg>
I had code working as pure JavaScript with no problems.