遍历一系列运算符

Iterate through a sequence of operators

是否possible/Is有一种方法可以像下面的示例那样遍历一系列运算符?

a, b = 5, 7
for op in (+, -, *, /):
    print(a, str(op), b, a op b)

一个可能的用例是在重载这些运算符的某些抽象数据类型上测试各种运算符的实现。

您可以创建自己的操作,然后遍历它们。

def add(a, b):
    return a + b

def sub(a, b):
    return a - b

def mult(a, b):
    return a * b

def div(a, b):
    return a / b
a, b = 5, 7

operations = {'+': add,'-': sub, '*':mult, '/': div}
for op in operations:
    print(a, op, b, operations[op](a, b))

可以使用算子模块

for op in [('+', operator.add), ('-', operator.sub), ('*', operator.mul), ('/', operator.div)]:
    print("{} {} {} = {}".format(a, op[0], b, op[1](a, b)))

试试这个:

a,b=5,7
for op in ['+','-','*','/']:
    exec 'print a' + op + 'b'

希望对您有所帮助!