![]() |
Storing whole functions in variables - Printable Version +- Python Forum (https://python-forum.io) +-- Forum: Python Coding (https://python-forum.io/forum-7.html) +--- Forum: General Coding Help (https://python-forum.io/forum-8.html) +--- Thread: Storing whole functions in variables (/thread-34420.html) |
Storing whole functions in variables - dedesssse - Jul-29-2021 When i print y, why does it say none? instead of returning the value from the function called x = 1 def edr(x): x+2 print(x) #Here i try to understand variables to store an function in a variable y = edr(x) #It says none and i thought it would either call the function or get the value of x print(y) RE: Storing whole functions in variables - ndc85430 - Jul-29-2021 First, you're not storing the function in the variable, you're storing its return value. You need an explicit return statement in named functions, since there isn't one, the function implicitly returns None .
RE: Storing whole functions in variables - dedesssse - Jul-29-2021 I understand now, thanks RE: Storing whole functions in variables - deanhystad - Jul-29-2021 You can use a lambda expression to bind a function and an argument to be called later. x = 1 def edr(x): return x + 2 y = lambda: edr(x) print(edr, y, y(), edr(x)) edr without the () is a function.y is a lambda expression that will call the function edr with the argument x. y() evaluates the lambda expression (calls the function) and returns the result. edr(x) calls the function edr() with the argument x. |