我正在使用setInterval,因此转换发生在一定的时间间隔之后。是否可以暂停和恢复使用setInterval?
任何正确方向的建议/指示都会非常有用。
谢谢!
答案 0 :(得分:0)
当D3 v3是可用的最新版本时,发布了此问题。 5年后,D3 v5有一些新方法,例如selection.interrupt()
,transition.on("interrupt"...)
和local variables
,可以使任务更加简单和减轻痛苦。
因此,让我们假设一个圆上有一个简单的cx
过渡:
const svg = d3.select("svg");
const circle = svg.append("circle")
.attr("r", 15)
.attr("cx", 20)
.attr("cy", 50)
.style("fill", "teal")
.style("stroke", "black");
circle.transition()
.duration(10000)
.ease(d3.easeLinear)
.attr("cx", 580);
svg {
background-color: wheat;
display: block;
};
<script src="https://d3js.org/d3.v5.min.js"></script>
<svg width="600" height="100"></svg>
例如,当按下按钮时,该想法会中断转换:
selection.interrupt();
然后,使用局部变量,使用interrupt
的侦听器来获取当前位置:
.on("interrupt", function() {
local.set(this, +d3.select(this).attr("cx"))
});
最后,当再次按下按钮时,我们使用local.get(this)
和一个简单的数学运算来获得剩余的duration
。
值得一提的是,这对于线性宽松有效。如果您还有另一种放松方式,例如默认的d3.easeCubic
,则需要一种更复杂的代码。
这是演示:
const svg = d3.select("svg");
const local = d3.local();
const button = d3.select("button");
const circle = svg.append("circle")
.attr("r", 15)
.attr("cx", 20)
.attr("cy", 50)
.style("fill", "teal")
.style("stroke", "black");
circle.transition()
.duration(10000)
.ease(d3.easeLinear)
.attr("cx", 580)
.on("interrupt", function() {
local.set(this, +d3.select(this).attr("cx"))
});
button.on("click", function() {
if (d3.active(circle.node())) {
circle.interrupt();
this.textContent = "Resume";
} else {
circle.transition()
.ease(d3.easeLinear)
.duration(function() {
return 10000 * (560 - local.get(this)) / 560;
})
.attr("cx", 580)
this.textContent = "Stop";
}
})
svg {
background-color: wheat;
display: block;
};
<script src="https://d3js.org/d3.v5.min.js"></script>
<button>Stop</button>
<svg width="600" height="100"></svg>