Thursday, May 5, 2022

Question 101 : Check for balanced parentheses in an expression in java

In this post, we will see how to check for balanced parentheses in an expression.

Lets say, you have expression as a*(b+c)-(d*e)
If you notice, above expression have balanced parentheses.
Lets take another expression as (a*(b-c)*(d+e)
If you observe, above expression does not have balanced parentheses.

We will use stack data structure to check for balanced parentheses.
Algorithm:

  • Whenever you encounter current character as ( or { or [, push it into the stack.
  • Whenever you encounter current character as ) or } or ], retrieve last element from stack and check if current character is in pair with last character retrieved from stack and if it is not in pair then expression is not balanced.
  • If we have empty stack in the end, it is balanced parentheses, else it is not balanced parentheses.

Java Program to check for balanced parentheses:

Create a main Class called CheckBalancedParentesisMain.java.


import java.util.Stack; public class CheckBalancedParentesisMain { public static void main(String[] args) { String checkBalancedExpr1 = checkBalancedParentesis("a*(b+c)-(d*e)"); System.out.println("a*(b+c)-(d*e) : " + checkBalancedExpr1); String checkBalancedExpr2 = checkBalancedParentesis("(a*(b-c)*{d+e}"); System.out.println("(a*(b-c)*{d+e} : " + checkBalancedExpr2); } public static String checkBalancedParentesis(String expr) { if (expr.isEmpty()) return "Balanced"; Stack < Character > stack = new Stack < Character > (); for (int i = 0; i < expr.length(); i++) { char current = expr.charAt(i); if (current == '{' || current == '(' || current == '[') { stack.push(current); } if (current == '}' || current == ')' || current == ']') { if (stack.isEmpty()) return "Not Balanced"; char last = stack.peek(); if (current == '}' && last == '{' || current == ')' && last == '(' || current == ']' && last == '[') stack.pop(); else return "Not Balanced"; } } return stack.isEmpty() ? "Balanced" : "Not Balanced"; } }

When you run above program, you will get below output:


a*(b+c)-(d*e) : Balanced (a*(b-c)*{d+e} : Not Balanced

Don't miss the next article! 

 Be the first to be notified when a new article or Kubernetes experiment is   published.                            

 

 Share This

You may also like

Kubernetes Microservices
Python AI/ML
Spring Framework Spring Boot
Core Java Java Coding Question
Maven AWS