Created
March 22, 2023 13:50
-
-
Save MXXXXXS/ccff3f159773d958442c39378c614309 to your computer and use it in GitHub Desktop.
KD tree nearest neighbor searching
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
type Point = [x: number, y: number]; | |
class KDTreeNode { | |
left: KDTreeNode | null = null; | |
right: KDTreeNode | null = null; | |
constructor(public point: Point, public depth: number) {} | |
} | |
class KDTree { | |
root: KDTreeNode | null = null; | |
private insertNode( | |
node: KDTreeNode | null, | |
point: Point, | |
depth = 0 | |
): KDTreeNode { | |
if (node === null) { | |
return new KDTreeNode(point, depth); | |
} | |
const dimension = node.depth % 2; | |
if (point[dimension] < node.point[dimension]) { | |
node.left = this.insertNode(node.left, point, depth + 1); | |
} else { | |
node.right = this.insertNode(node.right, point, depth + 1); | |
} | |
return node; | |
} | |
insert(point: Point): void { | |
this.root = this.insertNode(this.root, point); | |
} | |
private findNearestNode( | |
node: KDTreeNode | null, | |
point: Point, | |
best: KDTreeNode | null | |
): KDTreeNode | null { | |
if (node === null) { | |
return best; | |
} | |
const nodeDistance = this.distance(node.point, point); | |
const bestDistance = best ? this.distance(best.point, point) : Infinity; | |
if (nodeDistance < bestDistance) { | |
best = node; | |
} | |
const dimension = node.depth % 2; | |
if (point[dimension] < node.point[dimension]) { | |
best = this.findNearestNode(node.left, point, best); | |
if ( | |
node.right !== null && | |
this.distance(point, best?.point || [Infinity, Infinity]) > | |
Math.abs(node.point[dimension] - point[dimension]) | |
) { | |
best = this.findNearestNode(node.right, point, best); | |
} | |
} else { | |
best = this.findNearestNode(node.right, point, best); | |
if ( | |
node.left !== null && | |
this.distance(point, best?.point || [Infinity, Infinity]) > | |
Math.abs(node.point[dimension] - point[dimension]) | |
) { | |
best = this.findNearestNode(node.left, point, best); | |
} | |
} | |
return best; | |
} | |
findNearestNeighbor(point: Point): Point | null { | |
const nearestNode = this.findNearestNode(this.root, point, null); | |
return nearestNode ? nearestNode.point : null; | |
} | |
private distance(p1: Point, p2: Point): number { | |
const dx = p1[0] - p2[0]; | |
const dy = p1[1] - p2[1]; | |
return Math.sqrt(dx * dx + dy * dy); | |
} | |
} | |
// example usage | |
const tree = new KDTree(); | |
tree.insert([1, 3]); | |
tree.insert([4, 2]); | |
tree.insert([5, 8]); | |
console.log(tree.findNearestNeighbor([0, 0])); // prints { 1, 3 } | |
console.log(tree.findNearestNeighbor([6, 7])); // prints { 5, 8 } |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment