I am trying to access a local function variable outside the function in Python. So, for example,
bye = ''
def hi():
global bye
something
something
bye = 5
sigh = 10
hi()
print bye
The above works fine as it should. Since I want to find out if I can access bye
outside hi()
without using global bye
, I tried:
def hi():
something
something
bye = 5
sigh = 10
return
hi()
x = hi()
print x.bye
The above gives AttributeError: 'NoneType' object has no attribute 'bye'
.
Then, I tried:
def hi():
something
something
bye = 5
sigh = 10
return bye
hi()
x = hi()
print x.bye
This time it doesn't give even an error.
So, is there a way to access a local function variable (bye
) outside its function (hi()
) without using globals and without printing out variable sigh
as well? (Question was edited to include sigh
after @hcwhsa 's comment below.
You could do something along these lines (which worked in both Python v2.7.17 and v3.8.1 when I tested it/them):
def hi():
# other code...
hi.bye = 42 # Create function attribute.
sigh = 10
hi()
print(hi.bye) # -> 42
Functions are objects in Python and can have arbitrary attributes assigned to them.
If you're going to be doing this kind of thing often, you could implement something more generic by creating a function decorator that adds a this
argument to each call to the decorated function.
This additional argument will give functions a way to reference themselves without needing to explicitly embed (hardcode) their name into the rest of the definition and is similar to the instance argument that class methods automatically receive as their first argument which is usually named self
— I picked something different to avoid confusion, but like the self
argument, it can be named whatever you wish.
Here's an example of that approach:
def add_this_arg(func):
def wrapped(*args, **kwargs):
return func(wrapped, *args, **kwargs)
return wrapped
@add_this_arg
def hi(this, that):
# other code...
this.bye = 2 * that # Create function attribute.
sigh = 10
hi(21)
print(hi.bye) # -> 42
This doesn't work for class methods. Just use the instance argument, named self
by convention, that's already passed to methods instead of the method's name. You can reference class-level attributes through type(self)
. See Function's attributes when in a class.