If and Inline if, what are the advantages and disadvantages?

后端 未结 3 1485
梦如初夏
梦如初夏 2021-01-01 03:36

I\'m a little curious about the difference between if and inline if, in Python. Which one is better?

Is there any reason to use inline if, other than the f

3条回答
  •  傲寒
    傲寒 (楼主)
    2021-01-01 03:50

    The advantage of the inline if expression is that it's an expression, which means you can use it inside other expressions—list comprehensions, lambda functions, etc.

    The disadvantage of the inline if expression is also that it's an expression, which means you can't use any statements inside of it.


    A perfect example of the disadvantage is exactly what's causing your error: a = a/w is a statement, so you can't use it inside an expression. You have to write this:

    if b == 2:
        a = a*2
    else:
        a = a/w
    

    Except that in this particular case, you just want to assign something to a in either case, so you can just write this:

    a = a*2 if b==2 else a/w
    

    As for the advantage, consider this:

    odd_numbers = [number if number%2 else number+1 for number in numbers]
    

    Without the if expression, you'd have to wrap the conditional in a named function—which is a good thing for non-trivial cases, but overly verbose here:

    def oddify(number):
        if number%2:
            return number
        else:
            return number+1
    odd_numbers = [oddify(number) for number in numbers]
    

    Also, note that the following example is not using an if (ternary conditional) expression, but an if (conditional filter) clause:

    odd_numbers = [number for number in numbers if number % 2]
    

提交回复
热议问题