what I’m trying to achieve is to take the current coordinates of a mousemove event and match them with the coordinates of the closest location on a circle. I’ve managed to get this partially working using a for loop which iterates over each possible point in the circle and compares the coordinates in order to find the closest point:
JavaScript
x
21
21
1
for (var i = Math.PI; i > -Math.PI; i -= 0.01) {
2
3
// coords of current point in circle:
4
5
var curX = Math.sin(i+Math.PI / 2)*radius + 200,
6
curY = Math.sin(i)*radius + 200;
7
8
// conditional which attempts to find the coords of the point closest to the cursor...
9
10
if (Math.abs((x - curX)) < distanceX && Math.abs((y - curY)) < distanceY ) {
11
distanceX = Math.abs((x - curX));
12
distanceY = Math.abs((y - curY));
13
14
// and then assigns the values to the newX/newY variables
15
16
newX = curX;
17
newY = curY;
18
}
19
20
}
21
the trouble is that this solution will often return the wrong coordinates and I’m not sure why.
jsfiddle to see what I mean:
https://jsfiddle.net/eLn4jsue/
Advertisement
Answer
No need to loop, just compute the point between the center of the circle and the mouse that is on the circle.
JavaScript
1
6
1
var dx = x - 200,
2
dy = y - 200,
3
dist = Math.sqrt(dx*dx + dy*dy),
4
newX = 200 + dx * radius / dist,
5
newY = 200 + dy * radius / dist;
6