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

operator パッケージをディクショナリと一緒に使用して、同等のテキストに従って演算子を検索します。一貫して機能するには、これらすべてが単項演算子または二項演算子のいずれかである必要があります。

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 に答える