如何剪切动画线和圆圈以及路径?
对于this example,我试图剪切圆圈和点数。
我添加了以下代码:
svg.append("defs")
.append("clipPath")
.attr("id", "clip")
.append("rect")
.attr("width", 960/2)
.attr("height", 500/2);
并添加了以下部分,其中定义了圆和路径
.attr('clip-path', 'url(#clip)')
剪辑对于路径工作正常,但它对圆和线的工作方式不同。
如何添加剪辑路径,它显示圆圈&仅在路径的可见/剪切部分上划线?
N.B。需要对多个圆和沿多个路径移动的线应用裁剪。
答案 0 :(得分:1)
这是因为你在圆上使用变换:圆的剪辑路径也被变换,这意味着它是相对于圆的。当圆圈移动时,剪辑路径移动。并且由于圆相对于其变换以0,0为中心(变换随着圆移动而不是居中属性而变化),剪辑路径将其切割为四分之一圆(因为它也经过0,0)。
一种解决方案是使用cx和cy属性来定位圆圈。更快捷的选择是将路径,线,圆和点附加到g
并剪切g,剪切过程中的所有子项:
var g = svg.append("g")
.attr("clip-path", "url(#clip)")
var path = g.append("path")
.data([points])
.attr("d", d3.svg.line()
.tension(0) // Catmull–Rom
.interpolate("cardinal-closed"));
g.selectAll(".point")
.data(points)
.enter()
.append("circle")
.attr("r", 4)
.attr("transform", function(d) { return "translate(" + d + ")"; });
circle = g.append("circle")
.attr("r", 13)
.attr("transform", "translate(" + points[0] + ")");
line = g.append("line")
.attr("y1", -50)
.attr("y2", 50)
.attr("class", "x-hover-line hover-line")
.attr("transform", "translate(" + points[0] + ")");
更新的代码:
var points = [
[480, 200],
[580, 400],
[680, 100],
[780, 300],
[180, 300],
[280, 100],
[380, 400]
];
var svg = d3.select("body").append("svg")
.attr("width", 960)
.attr("height", 500);
svg.append("defs")
.append("clipPath")
.attr("id", "clip")
.append("rect")
.attr("width", 960/2)
.attr("height", 500/2);
var g = svg.append("g")
.attr("clip-path", "url(#clip)")
var path = g.append("path")
.data([points])
.attr("d", d3.svg.line()
.tension(0) // Catmull–Rom
.interpolate("cardinal-closed"));
g.selectAll(".point")
.data(points)
.enter()
.append("circle")
.attr("r", 4)
.attr("transform", function(d) { return "translate(" + d + ")"; });
circle = g.append("circle")
.attr("r", 13)
.attr("transform", "translate(" + points[0] + ")");
line = g.append("line")
.attr("y1", -50)
.attr("y2", 50)
.attr("class", "x-hover-line hover-line")
.attr("transform", "translate(" + points[0] + ")");
transition();
function transition() {
circle.transition()
.duration(10000)
.attrTween("transform", translateAlong(path.node()))
.each("end", transition);
line.transition()
.duration(10000)
.attrTween("transform", translateAlong(path.node()))
.each("end", transition);
}
// Returns an attrTween for translating along the specified path element.
function translateAlong(path) {
var l = path.getTotalLength();
return function(d, i, a) {
return function(t) {
var p = path.getPointAtLength(t * l);
return "translate(" + p.x + "," + p.y + ")";
};
};
}
path {
fill: none;
stroke: #000;
stroke-width: 3px;
}
circle {
fill: steelblue;
stroke: #fff;
stroke-width: 3px;
}
.hover-line {
/*stroke: #6F257F;*/
stroke: #140917;
stroke-width: 2.5px;
/*stroke-dasharray: 3,3;*/
}
.hover-text {
font-size: 22px;
font-weight: bold;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/d3/3.4.8/d3.min.js"></script>
或查看更新的fiddle。
如果您不想剪辑其中一个,可以按原样追加它们(或使用不同的父g)。看到这个fiddle,这条线随处可见。