Other details and algorithm can be found here. Below is the c# implementation.
http://www.geeksforgeeks.org/check-for-balanced-parentheses-in-an-expression/
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
public bool IsValid(string input) | |
{ | |
Stack<char> s = new Stack<char>(); | |
char[] arr = input.ToCharArray(); | |
int i = 0; | |
bool match = false; | |
while (i < input.Length) | |
{ | |
if (arr[i] == '{' || arr[i] == '(' || arr[i] == '[') | |
s.Push(arr[i]); | |
if (arr[i] == '}' || arr[i] == ')' || arr[i] == ']') | |
{ | |
if (s.Count == 0) | |
{ | |
return false; | |
} | |
else if (isMatching(s.Pop(), arr[i])) | |
{ | |
return true; | |
} | |
return false; | |
} | |
i++; | |
} | |
if (s.Count == 0) | |
{ | |
return true; | |
} | |
return false; | |
} | |
private bool isMatching(char character1, char character2) | |
{ | |
if (character1 == '(' && character2 == ')') | |
{ | |
return true; | |
} | |
else if (character1 == '{' && character2 == '}') | |
{ | |
return true; | |
} | |
else if (character1 == '[' && character2 == ']') | |
{ | |
return true; | |
} | |
return false; | |
} |