我的画布上有一些动画线条没有单独绘制,它们试图绘制为一条完整的路径。为什么会这样?
$(document).ready(function(){
canvas = document.getElementById("test");
ctx = canvas.getContext("2d");
function animateLines(name, x1, y1, x2, y2, stroke, width, duration){
var count = 0;
var ms = 10;
duration = duration * ms;
ctx.beginPath();
ctx.moveTo(x1, y1);
function countNumbers(){
count += 1;
if(x2 > x1){
ctx.lineTo((x1 + count), y2);
}
else if(y2 > y1){
ctx.lineTo(x1, (y1 + count));
}
if((x1 < x2) && (count == x2)){
clearInterval(counter);
}
else if((y1 < y2) && (count == y2)){
clearInterval(counter);
}
ctx.lineWidth = width;
ctx.strokeStyle = stroke;
ctx.stroke();
}
$("#pause").on("click", function(){
clearInterval(counter);
})
$("#play").on("click", function(){
counter = setInterval(countNumbers, duration);
})
}
animateLines("Line", 0, 100, 100, 100, "white", 5, 3);
//animateLines("Line2", 150, 250, 350, 250, "red", 5, 5);
//animateLines("Line3", 100, 0, 100, 300, "blue", 5, 1);
})
当我只调用该函数一次时,它工作正常,当我多次调用它时它会尝试绘制一个完整的形状。
答案 0 :(得分:1)
每行需要moveTo(x1, x2)
,还需要beginPath()
以更改其笔触颜色:否则,stroke()
将绘制所有形状。
var canvas = document.getElementById("test"),
ctx = canvas.getContext("2d");
function animateLines(name, x1, y1, x2, y2, stroke, width, duration) {
var count = 0;
var ms = 10;
duration = duration * ms;
var counter;
function countNumbers() {
ctx.beginPath();
ctx.moveTo(x1, y1);
count += 1;
if (x2 > x1) {
ctx.lineTo((x1 + count), y2);
} else if (y2 > y1) {
ctx.lineTo(x1, (y1 + count));
}
if ((x1 < x2) && (count == x2)) {
clearInterval(counter);
} else if ((y1 < y2) && (count == y2)) {
clearInterval(counter);
}
ctx.lineWidth = width;
ctx.strokeStyle = stroke;
ctx.stroke();
}
$("#pause").on("click", function() {
clearInterval(counter);
})
$("#play").on("click", function() {
counter = setInterval(countNumbers, duration);
})
}
animateLines("Line", 0, 100, 100, 100, "green", 5, 3);
animateLines("Line2", 150, 250, 350, 250, "red", 5, 5);
animateLines("Line3", 100, 0, 100, 300, "blue", 5, 1);
&#13;
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div>
<button id="pause">Pause</button>
<button id="play">play</button></div>
<canvas id="test" width="350" height="350"></canvas>
&#13;