Java에서 수학 표현식 평가
Zeeshan Afridi
2023년10월12일
스택을 사용하여 수학 표현식을 평가하는 것은 가장 일반적이고 유용한 옵션 중 하나입니다.
스택에는 스택에서 피연산자 또는 연산자를 넣고 가져오는 데 사용되는 pop()
및 push()
라는 두 가지 표준 메서드가 있습니다. pop()
메소드는 표현식의 맨 위 요소를 제거하는 반면 push()
메소드는 요소를 스택 맨 위에 놓습니다.
Java에서 수학 표현식 평가
다음은 수학 표현식을 평가하는 Java의 예입니다. 이 코드는 나눗셈, 곱셈, 덧셈, 뺄셈과 같은 우선 순위로 적절한 DMAS 규칙을 따릅니다.
수학적 표현식을 입력으로 제공할 수 있지만 표현식이 다음 네 가지 연산(더하기, 곱하기, 나누기 및 빼기)으로만 구성되어 있는지 확인하십시오.
예제 코드:
package evaluateexpression;
import java.util.Scanner;
import java.util.Stack;
public class EvaluateExpression {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
// Creating stacks for operators and operands
Stack<Integer> operator = new Stack();
Stack<Double> value = new Stack();
// Let's create some temparory stacks for operands and operators
Stack<Integer> tmpOp = new Stack();
Stack<Double> tmpVal = new Stack();
// Enter an arthematic expression
System.out.println("Enter expression");
String input = scan.next();
System.out.println(
"The type of the expression is " + ((Object) input).getClass().getSimpleName());
input = "0" + input;
input = input.replaceAll("-", "+-");
// In the respective stacks store the operators and operands
String temp = "";
for (int i = 0; i < input.length(); i++) {
char ch = input.charAt(i);
if (ch == '-')
temp = "-" + temp;
else if (ch != '+' && ch != '*' && ch != '/')
temp = temp + ch;
else {
value.push(Double.parseDouble(temp));
operator.push((int) ch);
temp = "";
}
}
value.push(Double.parseDouble(temp));
// Create a character array for the operator precedence
char operators[] = {'/', '*', '+'};
/* Evaluation of expression */
for (int i = 0; i < 3; i++) {
boolean it = false;
while (!operator.isEmpty()) {
int optr = operator.pop();
double v1 = value.pop();
double v2 = value.pop();
if (optr == operators[i]) {
// if operator matches evaluate and store it in the temporary stack
if (i == 0) {
tmpVal.push(v2 / v1);
it = true;
break;
} else if (i == 1) {
tmpVal.push(v2 * v1);
it = true;
break;
} else if (i == 2) {
tmpVal.push(v2 + v1);
it = true;
break;
}
} else {
tmpVal.push(v1);
value.push(v2);
tmpOp.push(optr);
}
}
// pop all the elements from temporary stacks to main stacks
while (!tmpVal.isEmpty()) value.push(tmpVal.pop());
while (!tmpOp.isEmpty()) operator.push(tmpOp.pop());
// Iterate again for the same operator
if (it)
i--;
}
System.out.println("\nResult = " + value.pop());
}
}
출력:
Enter expression
2+7*5-3/2
The type of the expression is String
Result = 35.5
위 코드의 출력에서 알 수 있듯이 2+7*5-3/2
라는 표현이 입력으로 주어졌습니다. 그리고 프로그램은 결과를 35.5
로 계산했습니다.
DMAS 규칙에서 나누기가 가장 높은 우선 순위를 가지기 때문에 먼저 3/2 = 1.5
를 나눕니다. 그런 다음 곱셈 부분은 7*5 = 35
로 계산됩니다.
다음으로 2+35 = 37
을 더하고 표현식의 마지막 부분은 37 -1.5 = 35.5
인 빼기입니다.
작가: Zeeshan Afridi
Zeeshan is a detail oriented software engineer that helps companies and individuals make their lives and easier with software solutions.
LinkedIn