扩展@robert-longson 的答案,您可以使用 SVG 的椭圆弧命令来制作拐角,并结合lineto 命令来制作直边。这些与路径元素一起使用。这是一种可能的实现:
// Returns path data for a rectangle with rounded right corners.
// The top-left corner is ⟨x,y⟩.
function rightRoundedRect(x, y, width, height, radius) {
return "M" + x + "," + y
+ "h" + (width - radius)
+ "a" + radius + "," + radius + " 0 0 1 " + radius + "," + radius
+ "v" + (height - 2 * radius)
+ "a" + radius + "," + radius + " 0 0 1 " + -radius + "," + radius
+ "h" + (radius - width)
+ "z";
}
然后,您可以调用此函数来计算“d”属性。例如:
rects.enter().append("path")
.attr("d", function(d) {
return rightRoundedRect(x(0), y(d.name), x(d.value) - x(0), y.rangeBand(), 10);
});
现场示例:
可选:如果您愿意,可以重构 rightRoundedRect 函数以使其可配置,而不是采用大量参数。这种方法类似于 D3 的内置形状生成器。例如,您可以像这样使用 rect 生成器:
rects.enter().append("path")
.attr("d", rightRoundedRect()
.x(x(0))
.y(function(d) { return y(d.name); })
.width(function(d) { return x(d.value) - x(0); })
.height(y.rangeBand())
.radius(10));
有关该方法的更多详细信息,请参阅可配置函数教程。