Reputation: 48577
I recently was working on a little python project and came to a situation where I wanted to pass self
into the constructor of another object. I'm not sure why, but I had to look up whether this was legal in python. I've done this many times in C++ and Java but I don't remember ever having to do this with python.
Is passing references to self
to new objects something that isn't considered pythonic? I don't think I've seen any python programs explicitly passing self references around. Have I just happen to not have a need for it until now? Or am I fighting python style?
Upvotes: 13
Views: 6950
Reputation: 42805
Just pass it like a parameter. Of course, it won't be called self
in the other initializer...
class A:
def __init__(self, num, target):
self.num = num
self.target = target
class B:
def __init__(self, num):
self.a = A(num, self)
a = A(1)
b = B(2)
print b.a.num # prints 2
Upvotes: 4
Reputation: 54079
Yes it is legal, and yes it is pythonic.
I find myself using this pattern when you have an object and a container object where the contained objects need to know about their parent.
Upvotes: 18