要表示算术表达式,可以使用不同的数据结构和算法。下面是一种常见的解决方法:
以下是一个使用栈实现算术表达式求值的示例代码(使用Python语言):
def evaluate_expression(expression):
operator_stack = []
operand_stack = []
def perform_operation():
operator = operator_stack.pop()
operand2 = operand_stack.pop()
operand1 = operand_stack.pop()
if operator == '+':
result = operand1 + operand2
elif operator == '-':
result = operand1 - operand2
elif operator == '*':
result = operand1 * operand2
elif operator == '/':
result = operand1 / operand2
operand_stack.append(result)
def precedence(operator):
if operator == '+' or operator == '-':
return 1
elif operator == '*' or operator == '/':
return 2
else:
return 0
for char in expression:
if char.isdigit():
operand_stack.append(int(char))
elif char == '(':
operator_stack.append(char)
elif char == ')':
while operator_stack[-1] != '(':
perform_operation()
operator_stack.pop()
elif char in '+-*/':
while operator_stack and precedence(char) <= precedence(operator_stack[-1]):
perform_operation()
operator_stack.append(char)
while operator_stack:
perform_operation()
return operand_stack[0]
# 示例用法
expression = "3 + 4 * 2 - (5 * 2)"
result = evaluate_expression(expression)
print(result) # 输出: 1
这个示例代码演示了如何使用栈来表示算术表达式并求值。它支持加法(+)、减法(-)、乘法(*)、除法(/)和括号。在计算过程中,它通过比较运算符的优先级来确保正确的计算顺序。