17

我正在尝试将变量数学运算符插入到 if 语句中,这是我在解析用户提供的数学表达式时尝试实现的示例:

maths_operator = "=="

if "test" maths_operator "test":
       print "match found"

maths_operator = "!="

if "test" maths_operator "test":
       print "match found"
else:
       print "match not found"

显然以上失败了SyntaxError: invalid syntax。我试过使用 exec 和 eval 但在 if 语句中都不起作用,我有什么选择来解决这个问题?

4

3 回答 3

19

使用操作符包和字典来根据它们的文本等价物查找操作符。所有这些都必须是一元或二元运算符才能始终如一地工作。

import operator
ops = {'==' : operator.eq,
       '!=' : operator.ne,
       '<=' : operator.le,
       '>=' : operator.ge,
       '>'  : operator.gt,
       '<'  : operator.lt}

maths_operator = "=="

if ops[maths_operator]("test", "test"):
    print "match found"

maths_operator = "!="

if ops[maths_operator]("test", "test"):
    print "match found"
else:
    print "match not found"
于 2012-08-07T13:50:20.637 回答
16

使用operator模块:

import operator
op = operator.eq

if op("test", "test"):
   print "match found"
于 2012-08-07T13:45:58.030 回答
1

我试过使用 exec 和 eval 但在 if 语句中都不起作用

为了完整起见,应该提到它们确实有效,即使发布的答案提供了更好的解决方案。您必须 eval() 整个比较,而不仅仅是运算符:

maths_operator = "=="

if eval('"test"' + maths_operator '"test"'):
       print "match found"

或执行该行:

exec 'if "test"' + maths_operator + '"test": print "match found"'
于 2012-08-14T13:21:49.767 回答