キャンバスを使用してほとんどの下地作業を行う必要があります。この場合、線を移動してからすべてを再描画する機能を実装する必要があります。
手順は次のとおりです。
- ラインを自己レンダリング可能なオブジェクトとして保持する (オブジェクトのメソッド)
- 行を移動するために、mousemove をリッスンします (この場合)。
- 移動ごとに、背景 (画像) を再描画し、新しい位置に線をレンダリングします。
背景全体を再描画することも、最後の行だけを描画するように最適化することもできます。
これのサンプル コードとライブ デモを次に示します。
var canvas = document.getElementById('demo'), /// canvas element
ctx = canvas.getContext('2d'), /// context
line = new Line(ctx), /// our custom line object
img = new Image; /// the image for bg
ctx.strokeStyle = '#fff'; /// white line for demo
/// start image loading, when done draw and setup
img.onload = start;
img.src = 'http://i.imgur.com/O712qpO.jpg';
function start() {
/// initial draw of image
ctx.drawImage(img, 0, 0, demo.width, demo.height);
/// listen to mouse move (or use jQuery on('mousemove') instead)
canvas.onmousemove = updateLine;
}
あとは、動きごとに背景と線を更新するメカニズムを用意するだけです。
/// updates the line on each mouse move
function updateLine(e) {
/// correct mouse position so it's relative to canvas
var r = canvas.getBoundingClientRect(),
x = e.clientX - r.left,
y = e.clientY - r.top;
/// draw background image to clear previous line
ctx.drawImage(img, 0, 0, canvas.width, canvas.height);
/// update line object and draw it
line.x1 = x;
line.y1 = 0;
line.x2 = x;
line.y2 = canvas.height;
line.draw();
}
カスタム ライン オブジェクトは、このデモでは非常に単純です。
/// This lets us define a custom line object which self-draws
function Line(ctx) {
var me = this;
this.x1 = 0;
this.x2 = 0;
this.y1 = 0;
this.y2 = 0;
/// call this method to update line
this.draw = function() {
ctx.beginPath();
ctx.moveTo(me.x1, me.y1);
ctx.lineTo(me.x2, me.y2);
ctx.stroke();
}
}
画像自体に特別なことをしない場合は、CSS を使用して背景画像として設定することもできます。ただし、線を再描画する前にキャンバスをクリアする必要があります。