围绕其中心点旋转图像或路径
下面的步骤#1-5 允许任何图像或路径形状在画布上的任何位置移动并旋转到任何角度,而不更改任何图像/路径形状的原始点坐标。
-
将画布[0,0]原点移动到形状的中心点
context.translate( shapeCenterX, shapeCenterY );
-
以所需角度旋转画布(以弧度表示)
context.rotate( radianAngle );
-
将画布原点移回左上角
context.translate( -shapeCenterX, -shapeCenterY );
-
使用原始坐标绘制图像或路径形状。
context.fillRect( shapeX, shapeY, shapeWidth, shapeHeight );
-
一直清理! 将转换状态设置回#1 之前的状态
-
步骤#5,选项#1: 以相反的顺序撤消每个转换
// undo #3 context.translate( shapeCenterX, shapeCenterY ); // undo #2 context.rotate( -radianAngle ); // undo #1 context.translate( -shapeCenterX, shapeCenterY );
-
步骤#5,选项#2: 如果画布在开始步骤#1 之前处于未转换状态(默认),则可以通过将所有转换重置为其默认状态来撤消步骤#1-3 的效果
// set transformation to the default state (==no transformation applied) context.setTransform(1,0,0,1,0,0)
示例代码演示:
// canvas references & canvas styling
var canvas=document.createElement("canvas");
canvas.style.border='1px solid red';
document.body.appendChild(canvas);
canvas.width=378;
canvas.height=256;
var ctx=canvas.getContext("2d");
ctx.fillStyle='green';
ctx.globalAlpha=0.35;
// define a rectangle to rotate
var rect={ x:100, y:100, width:175, height:50 };
// draw the rectangle unrotated
ctx.fillRect( rect.x, rect.y, rect.width, rect.height );
// draw the rectangle rotated by 45 degrees (==PI/4 radians)
ctx.translate( rect.x+rect.width/2, rect.y+rect.height/2 );
ctx.rotate( Math.PI/4 );
ctx.translate( -rect.x-rect.width/2, -rect.y-rect.height/2 );
ctx.fillRect( rect.x, rect.y, rect.width, rect.height );