Why do functions print automatically when put in 'if' statement

Multi tool use
Why do functions print automatically when put in 'if' statement
Why is it that when this code is executed, I would get 'hi'?
Thanks!
def b():
print("hi")
def c():
return True
if b() == 'hi':
print("Done")
if b()
b
b
b
If there's no explicit
return
statement None
is returned– shuttle87
Jun 30 at 9:26
return
None
2 Answers
2
You are confusing printing to the console with returning a value. Your function implicitly returns None
if you do not return anything from it so it is never equal to 'hi'
. Your b()
does print - and not return its 'hi'
None
'hi'
b()
'hi'
def b():
print("hi") # maybe uncomment it if you do not want to print it here
return "hi" # fix like this (which makes not much sense but well :o)
def c():
return True
if b() == 'hi':
print("Done")
You can test it like this:
def test():
pass
print(test())
Outputs:
None
Further readings:
fib
None
One even more important thing to read: How to debug small programs (#1) - it gives you tips on how to fix code yourself and find errors by debugging.
Essentially what you're doing is saying if b()
, which runs the b() function and prints "hi" is equal to "hi", print "done", but since your function prints "hi", rather than returning "hi", it will never equal true.
if b()
Try this:
def b():
return "hi"
def c():
return True
if b() == 'hi':
print("Done")
By clicking "Post Your Answer", you acknowledge that you have read our updated terms of service, privacy policy and cookie policy, and that your continued use of the website is subject to these policies.
if b()
is callingb
, and a side effect of callingb
is that 'hi' is printed - that's what callingb
does.– snakecharmerb
Jun 30 at 8:52