这个Python后缀表示法(反向波兰表示法)解释器能变得更加高效和准确吗?

2024-05-14 08:21:43 发布

您现在位置:Python中文网/ 问答频道 /正文

下面是一个Python后缀表示法解释器,它使用堆栈来计算表达式。是否有可能使此功能更高效、更准确?

#!/usr/bin/env python


import operator
import doctest


class Stack:
    """A stack is a collection, meaning that it is a data structure that 
    contains multiple elements.

    """

    def __init__(self):
        """Initialize a new empty stack."""
        self.items = []       

    def push(self, item):
        """Add a new item to the stack."""
        self.items.append(item)

    def pop(self):
        """Remove and return an item from the stack. The item 
        that is returned is always the last one that was added.

        """
        return self.items.pop()

    def is_empty(self):
        """Check whether the stack is empty."""
        return (self.items == [])


# Map supported arithmetic operators to their functions
ARITHMETIC_OPERATORS = {"+":"add", "-":"sub", "*":"mul", "/":"div", 
                        "%":"mod", "**":"pow", "//":"floordiv"}


def postfix(expression, stack=Stack(), operators=ARITHMETIC_OPERATORS):
    """Postfix is a mathematical notation wherein every operator follows all 
    of its operands. This function accepts a string as a postfix mathematical 
    notation and evaluates the expressions. 

    1. Starting at the beginning of the expression, get one term 
       (operator or operand) at a time.
       * If the term is an operand, push it on the stack.
       * If the term is an operator, pop two operands off the stack, 
         perform the operation on them, and push the result back on 
         the stack.

    2. When you get to the end of the expression, there should be exactly 
       one operand left on the stack. That operand is the result.

    See http://en.wikipedia.org/wiki/Reverse_Polish_notation

    >>> expression = "1 2 +"
    >>> postfix(expression)
    3
    >>> expression = "5 4 3 + *"
    >>> postfix(expression)
    35
    >>> expression = "3 4 5 * -"
    >>> postfix(expression)
    -17
    >>> expression = "5 1 2 + 4 * + 3 -"
    >>> postfix(expression, Stack(), ARITHMETIC_OPERATORS)
    14

    """
    if not isinstance(expression, str):
        return
    for val in expression.split(" "):
        if operators.has_key(val):
            method = getattr(operator, operators.get(val))
            # The user has not input sufficient values in the expression
            if len(stack.items) < 2:
                return
            first_out_one = stack.pop()
            first_out_two = stack.pop()
            operand = method(first_out_two, first_out_one)
            stack.push(operand)
        else:
            # Type check and force int
            try:
                operand = int(val)
                stack.push(operand)
            except ValueError:
                continue
    return stack.pop()


if __name__ == '__main__':
    doctest.testmod()

Tags: theselfreturnisstackdefitemsitem
3条回答

一般建议:

  • 避免不必要的类型检查,并依赖默认异常行为。
  • ^{}早就被弃用,取而代之的是in运算符:使用它。
  • Profile您的程序,在尝试任何性能优化之前。对于任何给定代码的零工作量分析运行,只需运行:python -m cProfile -s cumulative foo.py

具体要点:

  • listmakes a good stack开箱即用。特别是,它允许您使用切片表示法tutorial)用一个步骤替换pop/pop/append舞蹈。
  • ARITHMETIC_OPERATORS可以直接引用运算符实现,而无需getattr间接引用。

把这些放在一起:

ARITHMETIC_OPERATORS = {
    '+':  operator.add, '-':  operator.sub,
    '*':  operator.mul, '/':  operator.div, '%':  operator.mod,
    '**': operator.pow, '//': operator.floordiv,
}

def postfix(expression, operators=ARITHMETIC_OPERATORS):
    stack = []
    for val in expression.split():
        if val in operators:
            f = operators[val]
            stack[-2:] = [f(*stack[-2:])]
        else:
            stack.append(int(val))
    return stack.pop()

列表可以直接用作堆栈:

>>> stack = []
>>> stack.append(3) # push
>>> stack.append(2)
>>> stack
[3, 2]
>>> stack.pop() # pop
2
>>> stack
[3]

也可以将运算符函数直接放入算术运算符dict:

ARITHMETIC_OPERATORS = {"+":operator.add,
                        "-":operator.sub,
                        "*":operator.mul,
                        "/":operator.div, 
                        "%":operator.mod,
                        "**":operator.pow,
                        "//":operator.floordiv}

那么

if operators.has_key(val):
    method = operators[val]

它们的目的不是让事情变得更有效率(尽管它可能有这种效果),而是让读者更清楚地看到它们。去掉不必要的间接作用和包装。这将有助于减少代码的混淆。它还将在性能上提供(微不足道的)改进,但除非您对其进行度量,否则不要相信这一点。

顺便说一下,使用列表作为堆栈是相当common的惯用Python。

您可以直接映射运算符:{"+": operator.add, "-": operator.sub, ...}。这更简单,不需要不必要的getattr,而且还允许添加额外的函数(不需要破解操作模块)。 您还可以删除一些临时变量,这些临时变量无论如何只能使用一次:

rhs, lhs = stack.pop(), stack.pop()
stack.push(operators[val](lhs, rhs)).    

另外(性能方面的问题更少,样式方面的问题更多,也是主观的),我完全不会在循环中进行错误处理,而是用except KeyError块(未知操作数)、一个except IndexError块(空堆栈)将其包装在一个try块中。。。

但准确吗?它会给出错误的结果吗?

相关问题 更多 >

    热门问题