-
Notifications
You must be signed in to change notification settings - Fork 0
/
need.js
55 lines (48 loc) · 1.94 KB
/
need.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
const getPermutations = (arr, selectNumber) => {
if (selectNumber === 1) return arr.map((i) => [i]); // 1개씩 선택한다면 모든 배열의 원소를 return한다.
const results = [];
arr.forEach((fixed, index) => {
const rest = arr.slice(0, index).concat(arr.slice(index + 1)); // fixed를 제외한 나머지 배열(순열)
const permutations = getPermutations(rest, selectNumber - 1); // rest에 대한 순열을 구한다.
const attached = permutations.map((permutation) => [fixed, ...permutation]); // fixed와 rest에 대한 조합을 붙인다.
results.push(...attached); // result 배열에 push
});
return results;
};
const getCombinations = (arr, selectNumber) => {
if (selectNumber === 1) return arr.map((i) => [i]); // 1개씩 선택한다면 모든 배열의 원소를 return한다.
const result = [];
arr.forEach((fixed, index) => {
const rest = arr.slice(index + 1); // fixed의 다음 index 부터 끝까지의 배열(조합)
const combinations = getCombinations(rest, selectNumber - 1); // rest에 대한 조합을 구한다.
const attached = combinations.map((combination) => [fixed, ...combination]); // fixed와 rest에 대한 조합을 붙인다.
result.push(...attached); // result 배열에 push
});
return result;
};
var example = ['a', 'b', 'c'];
var result = getPermutations(example, 2);
console.log(result);
var example = [1, 2, 3, 4];
var result = getPermutations(example, 3);
console.log(result);
var example = ['a', 'b', 'c'];
var result = getCombinations(example, 2);
console.log(result);
var example = [1, 2, 3, 4];
var result = getCombinations(example, 2);
console.log(result);
// 2차원 배열 깊은복사
a = [
[1, 0, 0, 3],
[2, 0, 0, 0],
[0, 0, 0, 2],
[3, 0, 1, 0],
];
b = Array.from({ length: a.length }, (v, i) => a[i]);
const a = Array.from({ length: 4 }, () =>
Array.from({ length: 4 }, () => false)
);
const b = Array(4)
.fill()
.map(() => Array(4).fill(false));