Skip to content

[Yn3-3xh] WEEK 06 solutions #1442

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Open
wants to merge 1 commit into
base: main
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
30 changes: 30 additions & 0 deletions valid-parentheses/Yn3-3xh.java
Original file line number Diff line number Diff line change
@@ -0,0 +1,30 @@
/**
[문제풀이]
- 열린 괄호에 대한 스택을 쌓으면 어떨까?
- 닫는 괄호가 중요하니까 닫히는걸 쌓아보자.
time: O(N), space: O(N)

[회고]
분기처리가 보기 싫게 되어 있는데 Map으로 하면 좋을까? 오히려 공간을 더 쓰게 되는건 아닐까?
실무라면 쓸 것 같다.
*/
class Solution {
public boolean isValid(String s) {
Deque<Character> stack = new ArrayDeque<>();
for (char c: s.toCharArray()) {
if (c == '(') {
stack.push(')');
} else if (c == '{') {
stack.push('}');
} else if (c == '[') {
stack.push(']');
} else {
if (stack.isEmpty() || stack.pop() != c) {
return false;
}
}
}
return stack.isEmpty();
}
}