Created
June 7, 2014 02:43
-
-
Save walkingtospace/b90cfc0cc828fc5ba6d2 to your computer and use it in GitHub Desktop.
괄호 매칭 문제
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#1. Given the string of parentheses only, write the function to check if they are balanced. | |
((())) is balanced, | |
(() is not. | |
)( not balanced | |
bool isBalanced(char input[]) { | |
Stack stack; | |
int len = strlen(input); | |
for(int i=0; i<len ; i++) { | |
if(input[i] == '(') stack.push(input[i]); | |
else if( !(stack.isEmpty()) && input[i] == ')') stack.pop(); | |
else return false; | |
} | |
if(stack.isEmpty()) return true; | |
else return false; | |
} | |
#2. with { ( [, modify the #1 solution. | |
(){[]()} , ({[]}) balanced | |
([)] not balanced | |
bool isOpen(char c); //{ [ ( | |
bool isClose(char c); //} ] ) | |
bool isMatch(char c1, char c2); // (,) , {,} , [,] --> true | |
bool isBalanced2(char input[]) { | |
Stack stack; | |
int len = strlen(input); | |
for(int i=0; i<len ; i++) { | |
if( isOpen(input[i]) ) stack.push(input[i]); | |
else if( !(stack.isEmpty()) && isClose(input[i])) { | |
if( !isMatch(stack.back(), input[i]) ) return false; | |
stack.pop(); | |
} | |
else return false; | |
} | |
if(stack.isEmpty()) return true; | |
else return false; | |
} | |
광성님이 제시하신 map을 이용한 확장성 있는 괄호쌍 매칭 함수. | |
map<char, char> paren = {{'{','}'}, {'[', ']'}, {'(', ')'}}; | |
bool isOpen(char c) { | |
return paren.find(c) != paren.end(); | |
} | |
bool isBalanced(string s) { | |
stack<char> st; | |
for (const auto& c : s) { | |
if (isOpen(c)) | |
st.push(c); | |
else { | |
if (st.empty() || paren[st.top()] != c) | |
return false; | |
st.pop(); | |
} | |
} | |
return st.empty(); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment