-
Notifications
You must be signed in to change notification settings - Fork 23
/
Copy path1042-flower-planting-with-no-adjacent.js
49 lines (44 loc) · 1.41 KB
/
1042-flower-planting-with-no-adjacent.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
/**
* 1042. Flower Planting With No Adjacent
* https://leetcode.com/problems/flower-planting-with-no-adjacent/
* Difficulty: Medium
*
* You have n gardens, labeled from 1 to n, and an array paths where paths[i] = [xi, yi] describes
* a bidirectional path between garden xi to garden yi. In each garden, you want to plant one of
* 4 types of flowers.
*
* All gardens have at most 3 paths coming into or leaving it.
*
* Your task is to choose a flower type for each garden such that, for any two gardens connected
* by a path, they have different types of flowers.
*
* Return any such a choice as an array answer, where answer[i] is the type of flower planted in
* the (i+1)th garden. The flower types are denoted 1, 2, 3, or 4. It is guaranteed an answer
* exists.
*/
/**
* @param {number} n
* @param {number[][]} paths
* @return {number[]}
*/
var gardenNoAdj = function(n, paths) {
const graph = Array.from({ length: n }, () => new Set());
const result = new Array(n).fill(0);
for (const [x, y] of paths) {
graph[x - 1].add(y - 1);
graph[y - 1].add(x - 1);
}
for (let garden = 0; garden < n; garden++) {
const usedColors = new Set();
for (const neighbor of graph[garden]) {
usedColors.add(result[neighbor]);
}
for (let color = 1; color <= 4; color++) {
if (!usedColors.has(color)) {
result[garden] = color;
break;
}
}
}
return result;
};