3

我是 Python 新手,我正在尝试使用具有这种格式的三元运算符(我认为是这样)

value_true if <test> else value_false

这是一段代码:

expanded = set()

while not someExpression:

    continue if currentState in expanded else expanded.push(currentState)

    # some code here

但是 Python 不喜欢它并说:

SyntaxError: invalid syntax (pointed to if)

如何解决?

4

1 回答 1

10

python中的三元运算使用for表达式,而不是语句。表达是有价值的东西。

例子:

result = foo() if condition else (2 + 4)
#        ^^^^^                   ^^^^^^^
#      expression               expression

对于语句(代码块,如continue,for等),请使用if

if condition:
     ...do something...
else:
     ...do something else...

你想做什么:

expanded = set()

while not someExpression:
    if currentState not in expanded: # you use set, so this condition is not really need
         expanded.add(currentState)
         # some code here
于 2012-10-10T21:58:38.097 回答