-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathparanthesis_Checker.cpp
50 lines (44 loc) · 1.14 KB
/
paranthesis_Checker.cpp
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
https://practice.geeksforgeeks.org/problems/parenthesis-checker2744/1
Given an expression string x. Examine whether the pairs and the orders of “{“,”}”,”(“,”)”,”[“,”]” are correct in exp.
For example, the function should return 'true' for exp = “[()]{}{[()()]()}” and 'false' for exp = “[(])”.
Input:
{([])}
Output:
true
Explanation:
{ ( [ ] ) }. Same colored brackets can form
balaced pairs, with 0 number of
unbalanced bracket.
Input:
([]
Output:
false
Explanation:
([]. Here square bracket is balanced but
the small bracket is not balanced and
Hence , the output will be unbalanced.
bool ispar(string x)
{
// Your code here
stack<char> s;
for(int i=0;i<x.length();i++)
{
if(s.empty())
{
s.push(x[i]);
}
else if((s.top()=='('&& x[i]==')') || (s.top()=='{' && x[i]=='}') || (s.top()=='[' && x[i]==']'))
{
s.pop();
}
else
{
s.push(x[i]);
}
}
if(s.empty())
{
return true;
}
return false;
}