-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path괄호 변환.js
52 lines (39 loc) · 1.3 KB
/
괄호 변환.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
/*
u는 "균형잡힌 괄호 문자열"로 더 이상 분리할 수 없어야 하며, v는 빈 문자열이 될 수 있습니다.
-> 여는 괄호와 닫는 괄호의 개수가 같아지는 시점
문자열 u가 "올바른 괄호 문자열" 이라면
-> 스택으로 확인 가능
*/
const divide = (target) => {
let i;
let openingParenCount = 0;
let closingParenCount = 0;
for (i = 0; i < target.length; i += 1) {
if (target[i] === '(') openingParenCount += 1;
else closingParenCount += 1;
if (openingParenCount === closingParenCount) break;
}
return [target.slice(0, i + 1), target.slice(i + 1)];
};
const isCorrectParenString = (target) => {
let openingParenCount = 0;
for (let i = 0; i < target.length; i += 1) {
if (target[i] === '(') openingParenCount += 1;
else openingParenCount -= 1;
if (openingParenCount < 0) break;
}
return openingParenCount === 0;
};
const reverse = (target) =>
Array.from(target)
.map((paren) => (paren === '(' ? ')' : '('))
.join('');
const convert = (target) => {
if (target === '') return '';
const [left, right] = divide(target);
if (isCorrectParenString(left)) return left + convert(right);
return `(${convert(right)})${reverse(left.slice(1, left.length - 1))}`;
};
function solution(p) {
return convert(p);
}