我一直在使用带有内置工具提示的D3 svg图表(我相信使用d3-tip库)。原始代码可以在这里看到:http://bl.ocks.org/Caged/6476579
我已经成功地在大多数情况下自定义了它,但我需要添加第二个鼠标悬停效果;因此,当您将鼠标移到栏上时,它不仅会打开工具提示,还会打开图表右上角的另一个提示或图层。
我尝试做类似以下的事情,但它似乎没有效果。我只是在语法中遗漏了什么?或者这个策略根本不起作用?
var tip = d3.tip()
.attr('class', 'd3-tip')
.offset([-10, 0])
.html(function(d) {
return "<strong>Frequency2:</strong> <span style='color:red'>" + d.frequency2 + "</span>";
})
//adding second tool tip
var tip2 = d3.tip()
.attr('class', 'd3-tip')
.offset([-40, 0])
.html(function(d) {
return "<strong>Other Variables:</strong> <span style='color:red'>" + d.frequency2 + "</span>";
})
然后
svg.selectAll(".bar")
.data(data)
.enter().append("rect")
.attr("class", "bar")
.attr("x", function(d) { return x(d.letter); })
.attr("width", x.rangeBand())
.attr("y", function(d) { return y(d.frequency2); })
.attr("height", function(d) { return height - y(d.frequency2); })
.on('mouseover', tip.show, tip2.show)
.on('mouseout', tip.hide, tip2.hide);
该图表仍然有效,但现在没有工具提示显示。
答案 0 :(得分:0)
你现在正在做什么......
.on('mouseover', tip.show, tip2.show)
......不行。在selection.on
中,第三个参数是capture:
selection.on(typenames [,listener [,capture]])
因此,解决方案是将tip
和tip2
包装在另一个函数中:
.on("mouseover", function() {
tip.show();
tip2.show();
})
这是一个演示(悬停在圆圈上):
var svg = d3.select("svg");
var tip = d3.tip()
.attr('class', 'd3-tip')
.offset([-10, 20])
.html("<strong>Frequency2:</strong> <span style='color:red'>foo</span>")
var tip2 = d3.tip()
.attr('class', 'd3-tip')
.offset([90, 20])
.html("<strong>Other Variables:</strong> <span style='color:red'>bar</span>")
svg.call(tip)
svg.call(tip2)
d3.select("circle").on("mouseover", function() {
tip.show();
tip2.show();
}).on("mouseout", function() {
tip.hide();
tip2.hide();
});
&#13;
.d3-tip {
line-height: 1;
font-weight: bold;
padding: 12px;
background: rgba(0, 0, 0, 0.8);
color: #fff;
border-radius: 2px;
}
&#13;
<script src="https://d3js.org/d3.v3.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/d3-tip/0.7.1/d3-tip.min.js"></script>
<svg>
<circle cx="50" cy="70" r="20" fill="teal"></circle>
</svg>
&#13;