I am looking to calculate the bounding box of a rectangle rotated around its center. I have read this question and while MarkusQ’s answer works in general, it is not efficient enough for my needs. I am trying to get Troubadour’s answer working, but it seems to only work when the origin of rotation is around a corner, not the center.
Is it possible to adapt his solution to work with rectangles that have their origin of rotation around their center?
I’ve developed a full recreation of the problem below:
JavaScript
x
63
63
1
let canvas = document.querySelector("canvas");
2
let ctx = canvas.getContext("2d");
3
4
function drawRectangle(rX, rY, rW, rH) {
5
ctx.beginPath();
6
ctx.rect(rX, rY, rW, rH);
7
ctx.stroke();
8
}
9
10
function degreesToRadians(degrees) { return degrees * (Math.PI / 180); }
11
12
function rotateCanvas(radians, centerX, centerY) {
13
ctx.translate(centerX, centerY);
14
ctx.rotate(radians);
15
ctx.translate(-centerX, -centerY);
16
}
17
18
function drawRotatedRectangle(rX, rY, rW, rH, rAngle) {
19
let rXCenter = rX + rW / 2;
20
let rYCenter = rY + rH / 2;
21
22
rotateCanvas(rAngle, rXCenter, rYCenter);
23
drawRectangle(rX, rY, rW, rH);
24
rotateCanvas(-rAngle, rXCenter, rYCenter);
25
}
26
27
function computeAABBCenter(x, y, w, h, theta) {
28
const ux = Math.cos(theta) * 0.5; // half unit vector along w
29
const uy = Math.sin(theta) * 0.5;
30
const wx = w * ux;
31
const wy = w * uy; // vector along w
32
const hx = h * -uy;
33
const hy = h * ux; // vector along h
34
35
// all point from top left CW
36
const x1 = x - wx - hx;
37
const y1 = y - wy - hy;
38
const x2 = x + wx - hx;
39
const y2 = y + wy - hy;
40
const x3 = x + wx + hx;
41
const y3 = y + wy + hy;
42
const x4 = x - wx + hx;
43
const y4 = y - wy + hy;
44
45
return {
46
x1: Math.min(x1, x2, x3, x4),
47
y1: Math.min(y1, y2, y3, y4),
48
x2: Math.max(x1, x2, x3, x4),
49
y2: Math.max(y1, y2, y3, y4),
50
};
51
}
52
53
let rX = 100;
54
let rY = 100;
55
let rW = 100;
56
let rH = 50;
57
let rA = 0.707;
58
59
drawRotatedRectangle(rX, rY, rW, rH, rA);
60
61
let bb = computeAABBCenter(rX, rY, rW, rH, rA);
62
63
drawRectangle(bb.x1, bb.y1, bb.x2 - bb.x1, bb.y2 - bb.y1);
JavaScript
1
1
1
body { margin: 0; overflow: hidden; }
JavaScript
1
1
1
<canvas width="800" height="800"></canvas>
As you can see, the bounding box rectangle is not correct. Here’s what it currently looks like, and what it should look like:
Advertisement
Answer
Size of bounding box (description here)
JavaScript
1
3
1
H = w * Abs(Sin(Fi)) + h * Abs(Cos(Fi))
2
W = w * Abs(Cos(Fi)) + h * Abs(Sin(Fi))
3
Having rXCenter, rYCenter
, you can find get bounds coordinates
JavaScript
1
3
1
x0 = rXCenter - W/2
2
y0 = rYCenter - H/2
3