以下代码用于显示javascript树形图的文本标签。
nodeEnter.append("svg:text")
.attr("x", function(d) { return d._children ? -8 : -48; }) /*the position of the text (left to right)*/
.attr("y", 3) /*the position of the text (Up and Down)*/
.text(function(d) { return d.name; });
这使用svg,它没有自动换行功能。我如何更改这个正常的段落
,以便我可以使用CSS来自动换行。如何制作这个常规文本而不是svg文本?
答案 0 :(得分:13)
这是使用D3自动换行文本的示例代码:
var nodes = [
{title: "Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut"}
]
var w = 960, h = 800;
var svg = d3.select("body").append("svg")
.attr("width", w)
.attr("height", h);
var vSeparation = 13, textX=200, textY=100, maxLength=20
var textHolder = svg.selectAll("text")
.data(nodes)
.enter().append("text")
.attr("x",textX)
.attr("y",textY)
.attr("text-anchor", "middle")
.each(function (d) {
var lines = wordwrap(d.title, maxLength)
for (var i = 0; i < lines.length; i++) {
d3.select(this).append("tspan").attr("dy",vSeparation).attr("x",textX).text(lines[i])
}
});
function wordwrap(text, max) {
var regex = new RegExp(".{0,"+max+"}(?:\\s|$)","g");
var lines = []
var line
while ((line = regex.exec(text))!="") {
lines.push(line);
}
return lines
}
答案 1 :(得分:11)
你可能想要使用SVG foreignObject标签,所以你会有这样的东西:
nodeEnter.append("foreignObject")
.attr("x", function(d) { return d._children ? -8 : -48; }) /*the position of the text (left to right)*/
.attr("y", 3) /*the position of the text (Up and Down)*/
.attr("width", your_text_width_variable)
.attr("height", your_text_height_variable)
.append("xhtml:body")
.append("p")
.text(function(d) { return d.name; });
以下是Mike Bostock给我的一个要点:https://gist.github.com/1424037
答案 2 :(得分:0)
foreignObject
,Chrome不支持转换。如果这些限制没问题,那么我建议使用foreignObject
因为您获得了HTML + CSS的所有格式。
如果您需要支持IE或转换,那么我建议使用D3插件,例如D3plus。它使文本包装非常容易。
d3plus.textwrap()
.container('selector')
.draw();
结帐the docs以了解其所有功能。
答案 3 :(得分:0)
您可以使用此泛型函数使用D3.js将svg:text元素中的文本换行到多个svg:tspan子节点(每行一个tspan):
function wrapText(text, width) {
text.each(function () {
var textEl = d3.select(this),
words = textEl.text().split(/\s+/).reverse(),
word,
line = [],
linenumber = 0,
lineHeight = 1.1, // ems
y = textEl.attr('y'),
dx = parseFloat(textEl.attr('dx') || 0),
dy = parseFloat(textEl.attr('dy') || 0),
tspan = textEl.text(null).append('tspan').attr('x', 0).attr('y', y).attr('dy', dy + 'em');
while (word = words.pop()) {
line.push(word);
tspan.text(line.join(' '));
if (tspan.node().getComputedTextLength() > width) {
line.pop();
tspan.text(line.join(' '));
line = [word];
tspan = textEl.append('tspan').attr('x', 0).attr('y', y).attr('dx', dx).attr('dy', ++linenumber * lineHeight + dy + 'em').text(word);
}
}
});
}
你可以像这样使用它:
svg.selectAll('text').call(wrapText, 100);