JavaAlgorithms/DataStructures/Stacks/BalancedBrackets.java

82 lines
2.7 KiB
Java
Raw Normal View History

2019-10-12 20:48:38 +08:00
package DataStructures.Stacks;
import java.util.Stack;
2018-04-14 12:16:38 +08:00
/**
* The nested brackets problem is a problem that determines if a sequence of
* brackets are properly nested. A sequence of brackets s is considered properly
* nested if any of the following conditions are true: - s is empty - s has the
* form (U) or [U] or {U} where U is a properly nested string - s has the form
* VW where V and W are properly nested strings For example, the string
* "()()[()]" is properly nested but "[(()]" is not. The function called
* is_balanced takes as input a string S which is a sequence of brackets and
* returns true if S is nested and false otherwise.
*
* @author akshay sharma
* @author <a href="https://github.com/khalil2535">khalil2535<a>
2019-10-12 20:48:38 +08:00
* @author shellhub
2018-04-14 12:16:38 +08:00
*/
2017-10-22 21:11:27 +08:00
class BalancedBrackets {
2018-04-14 12:16:38 +08:00
/**
2019-10-12 20:48:38 +08:00
* Check if {@code leftBracket} and {@code rightBracket} is paired or not
*
* @param leftBracket left bracket
* @param rightBracket right bracket
* @return {@code true} if {@code leftBracket} and {@code rightBracket} is paired,
* otherwise {@code false}
*/
public static boolean isPaired(char leftBracket, char rightBracket) {
char[][] pairedBrackets = {
{'(', ')'},
{'[', ']'},
{'{', '}'},
{'<', '>'}
};
for (char[] pairedBracket : pairedBrackets) {
if (pairedBracket[0] == leftBracket && pairedBracket[1] == rightBracket) {
return true;
}
}
return false;
}
/**
* Check if {@code brackets} is balanced
2018-04-14 12:16:38 +08:00
*
2019-10-12 20:48:38 +08:00
* @param brackets the brackets
* @return {@code true} if {@code brackets} is balanced, otherwise {@code false}
2018-04-14 12:16:38 +08:00
*/
2019-10-12 20:48:38 +08:00
public static boolean isBalanced(String brackets) {
if (brackets == null) {
throw new IllegalArgumentException("brackets is null");
}
2018-04-14 12:16:38 +08:00
Stack<Character> bracketsStack = new Stack<>();
2019-10-12 20:48:38 +08:00
for (char bracket : brackets.toCharArray()) {
switch (bracket) {
2018-04-14 12:16:38 +08:00
case '(':
case '[':
2019-10-12 20:48:38 +08:00
case '{':
bracketsStack.push(bracket);
2018-04-14 12:16:38 +08:00
break;
case ')':
case ']':
2019-10-12 20:48:38 +08:00
case '}':
if (!(!bracketsStack.isEmpty() && isPaired(bracketsStack.pop(), bracket))) {
2018-04-14 12:16:38 +08:00
return false;
}
2019-10-12 20:48:38 +08:00
break;
default: /* other character is invalid */
return false;
}
}
2019-10-12 20:48:38 +08:00
return bracketsStack.isEmpty();
}
2019-10-12 20:48:38 +08:00
public static void main(String[] args) {
assert isBalanced("[()]{}{[()()]()}");
assert !isBalanced("[(])");
}
}