513

I need to print some stuff only when a boolean variable is set to True. So, after looking at this, I tried with a simple example:

>>> a = 100
>>> b = True
>>> print a if b
  File "<stdin>", line 1
    print a if b
             ^
SyntaxError: invalid syntax  

Same thing if I write print a if b==True.

What am I missing here?

Community
  • 1
  • 1
Ricky Robinson
  • 19,969
  • 40
  • 122
  • 177
  • 1
    possible duplicate of [Does Python have a ternary conditional operator?](http://stackoverflow.com/questions/394809/does-python-have-a-ternary-conditional-operator) – kenorb May 02 '15 at 16:55
  • 6
    Good question, complex answers... a straight one would be "the else part is mandatory". – mins Aug 07 '18 at 17:40
  • A good thing to note is that the if **expression** works in `lambda`, but **not** the one-line statement. – Ginger Mar 13 '21 at 01:14

14 Answers14

959

Python does not have a trailing if statement.

There are two kinds of if in Python:

  1. if statement:

    if condition: statement
    if condition:
        block
    
  2. if expression (introduced in Python 2.5)

    expression_if_true if condition else expression_if_false
    

And note, that both print a and b = a are statements. Only the a part is an expression. So if you write

print a if b else 0

it means

print (a if b else 0)

and similarly when you write

x = a if b else 0

it means

x = (a if b else 0)

Now what would it print/assign if there was no else clause? The print/assignment is still there.

And note, that if you don't want it to be there, you can always write the regular if statement on a single line, though it's less readable and there is really no reason to avoid the two-line variant.

Jan Hudec
  • 69,456
  • 12
  • 118
  • 163
  • 1
    I think that `if condition: statement` does not work in case of multiline statements. – Val Nov 08 '13 at 12:57
  • Yes, but you don't need to use if, simply use boolean logic like I show below in my examples. – Eduardo Mar 19 '14 at 17:16
  • 3
    @JanHudec If Python doesn't have a trailing `if`, then why does this work: [`print [i for i in range(10) if i%2]`](https://repl.it/BLMh)? I wish they'd allow it outside of comprehensions... – mbomb007 Sep 26 '15 at 22:13
  • 4
    @mbomb007, that is not a trailing if *statement* either. It is simply part of the list (or generator) comprehension. Note that the thing before the if is not a statement, it is two expressions with `for` between them. – Jan Hudec Sep 28 '15 at 17:41
  • Thanks, that helped me a lot. Would print ("a " + (id+ "_" if id else "") + " b") be considered a good solution if I want to ad an "id_" to a string if id is not none? – Alexander von Wernherr Dec 16 '16 at 10:26
  • 2
    @AlexandervonWernherr, yes, that sounds reasonable. – Jan Hudec Dec 16 '16 at 12:00
  • Can anybody help me understand why b=a is a statement and not an expression? – Karan Singh May 21 '17 at 07:30
  • @KaranSingh, because python grammar defines it that way. – Jan Hudec May 21 '17 at 12:07
  • can the else part be omitted? To write like print a if a – Apurva Kunkulol Jul 05 '17 at 13:45
  • @ApurvaKunkulol, would you be so kind and *read the question again*? It shows precisely that syntax—and the syntax error it produces. Ergo, no, it can't. – Jan Hudec Jul 05 '17 at 16:35
  • I ended up doing something like `print("reason why I do nothing") if not_good_reason else do_something()` – Gavin Palmer Mar 09 '18 at 14:10
  • It's worth noting that 'else' is required. It would be convenient to simply use 'if' in some cases (e.g. c += a if b), but alas. – Charles Jaimet Jun 11 '18 at 20:16
  • @KaranSingh, the `a=b` not being an expression is a helpful syntactic device in Python, and learnt from other languages (C) where assignment and testing could be mingled and mixed up. – CodeMantle Feb 12 '19 at 18:05
123

Inline if-else EXPRESSION must always contain else clause, e.g:

a = 1 if b else 0

If you want to leave your 'a' variable value unchanged - assing old 'a' value (else is still required by syntax demands):

a = 1 if b else a

This piece of code leaves a unchanged when b turns to be False.

Jan Hudec
  • 69,456
  • 12
  • 118
  • 163
Rostyslav Dzinko
  • 38,056
  • 5
  • 48
  • 60
28

The 'else' statement is mandatory. You can do stuff like this :

>>> b = True
>>> a = 1 if b else None
>>> a
1
>>> b = False
>>> a = 1 if b else None
>>> a
>>> 

EDIT:

Or, depending of your needs, you may try:

>>> if b: print(a)
Alexis Huet
  • 675
  • 4
  • 11
22

If you don't want to from __future__ import print_function you can do the following:

a = 100
b = True
print a if b else "",  # Note the comma!
print "see no new line"

Which prints:

100 see no new line

If you're not aversed to from __future__ import print_function or are using python 3 or later:

from __future__ import print_function
a = False
b = 100
print(b if a else "", end = "")

Adding the else is the only change you need to make to make your code syntactically correct, you need the else for the conditional expression (the "in line if else blocks")

The reason I didn't use None or 0 like others in the thread have used, is because using None/0 would cause the program to print None or print 0 in the cases where b is False.

If you want to read about this topic I've included a link to the release notes for the patch that this feature was added to Python.

The 'pattern' above is very similar to the pattern shown in PEP 308:

This syntax may seem strange and backwards; why does the condition go in the middle of the expression, and not in the front as in C's c ? x : y? The decision was checked by applying the new syntax to the modules in the standard library and seeing how the resulting code read. In many cases where a conditional expression is used, one value seems to be the 'common case' and one value is an 'exceptional case', used only on rarer occasions when the condition isn't met. The conditional syntax makes this pattern a bit more obvious:

contents = ((doc + '\n') if doc else '')

So I think overall this is a reasonable way of approching it but you can't argue with the simplicity of:

if logging: print data
Noelkd
  • 7,392
  • 2
  • 28
  • 43
13

Since 2.5 you can use equivalent of C’s ”?:” ternary conditional operator and the syntax is:

[on_true] if [expression] else [on_false]

So your example is fine, but you've to simply add else, like:

print a if b else ''
Community
  • 1
  • 1
kenorb
  • 137,499
  • 74
  • 643
  • 694
13

This can be done with string formatting. It works with the % notation as well as .format() and f-strings (new to 3.6)

print '%s' % (a if b else "")

or

print '{}'.format(a if b else "")

or

print(f'{a if b else ""}')
Community
  • 1
  • 1
Eric Ed Lohmar
  • 1,727
  • 16
  • 26
  • This has nothing to do with formatting; you could just do `print a if b else ""`. Which is exactly what Noelkd's answer does. – melpomene Feb 24 '17 at 15:56
  • @melpomene but printing "" ads a new line, that can be avoided using `print "",` (colon) for Python2, and using `print("", end="")` for Python3. – m3nda May 29 '17 at 18:39
13

You can write an inline ternary operator like so:

sure = True

# inline operator
is_true = 'yes' if sure else 'no'

# print the outcome
print(is_true)
Yaakov Bressler
  • 6,210
  • 2
  • 31
  • 51
Mussa Charles
  • 476
  • 5
  • 8
11

You can use:

print (1==2 and "only if condition true" or "in case condition is false")

Just as well you can keep going like:

print (1==2 and "aa" or ((2==3) and "bb" or "cc"))

Real world example:

>>> print ("%d item%s found." % (count, (count!=1 and 's' or '')))
1 item found.
>>> count = 2
>>> print ("%d item%s found." % (count, (count!=1 and 's' or '')))
2 items found.
Eduardo
  • 7,351
  • 2
  • 32
  • 30
6

For your case this works:

a = b or 0

Edit: How does this work?

In the question

b = True

So evaluating

b or 0

results in

True

which is assigned to a.

If b == False?, b or 0 would evaluate to the second operand 0 which would be assigned to a.

  • 3
    Ugliness and errorproneness of this expression is the reason why we have conditional expression in the first place. – Jan Hudec Aug 09 '12 at 09:41
6

Try this . It might help you

a=100
b=True

if b:
   print a
Duncan
  • 86,487
  • 10
  • 115
  • 155
SkariaArun
  • 219
  • 1
  • 13
6

You're simply overcomplicating.

if b:
   print a
Michael Petrotta
  • 58,479
  • 27
  • 141
  • 176
Nande
  • 402
  • 5
  • 10
2

You always need an else in an inline if:

a = 1 if b else 0

But an easier way to do it would be a = int(b).

Daniel Roseman
  • 567,968
  • 59
  • 825
  • 842
2

hmmm, you can do it with a list comprehension. This would only make sense if you had a real range.. but it does do the job:

print([a for i in range(0,1) if b])

or using just those two variables:

print([a for a in range(a,a+1) if b])
-1

Well why don't you simply write:

if b:
    print a
else:
    print 'b is false'
IcyFlame
  • 4,833
  • 18
  • 46
  • 74