-
Notifications
You must be signed in to change notification settings - Fork 23
/
Copy path0863-all-nodes-distance-k-in-binary-tree.js
59 lines (54 loc) · 1.53 KB
/
0863-all-nodes-distance-k-in-binary-tree.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
/**
* 863. All Nodes Distance K in Binary Tree
* https://leetcode.com/problems/all-nodes-distance-k-in-binary-tree/
* Difficulty: Medium
*
* Given the root of a binary tree, the value of a target node target, and an integer k, return an
* array of the values of all nodes that have a distance k from the target node.
*
* You can return the answer in any order.
*/
/**
* Definition for a binary tree node.
* function TreeNode(val) {
* this.val = val;
* this.left = this.right = null;
* }
*/
/**
* @param {TreeNode} root
* @param {TreeNode} target
* @param {number} k
* @return {number[]}
*/
var distanceK = function(root, target, k) {
const graph = new Map();
const result = [];
buildGraph(root, null);
findNodesAtDistance(target.val, 0, new Set());
return result;
function buildGraph(node, parent) {
if (!node) return;
if (parent) {
graph.set(node.val, graph.get(node.val) || new Set());
graph.get(node.val).add(parent.val);
graph.set(parent.val, graph.get(parent.val) || new Set());
graph.get(parent.val).add(node.val);
}
buildGraph(node.left, node);
buildGraph(node.right, node);
}
function findNodesAtDistance(currentVal, distance, visited) {
if (distance === k) {
result.push(currentVal);
return;
}
visited.add(currentVal);
const neighbors = graph.get(currentVal) || new Set();
for (const neighbor of neighbors) {
if (!visited.has(neighbor)) {
findNodesAtDistance(neighbor, distance + 1, visited);
}
}
}
};