Simple python inheritance
class Animal(object):
def __init__(self, nlegs=4):
print '__init__ Animal'
self.nlegs = nlegs
class Cat(Animal):
def __init__(self, talk='meow'):
print '__init__ Cat'
self.talk = talk
class Dog(Animal):
def __init__(self, talk='woof'):
print '__init__ Dog'
self.talk = talk
- Why does my cat
tom = Cat()
not have an nlegs attribute? - Should we explicitly call
Animal.__init__()
from withinCat.__init__
, or should we be doing something more fancy, say, withsuper
? - What about if I want to create a cat with 5 legs, do I need to add additional arguments to the
Cat.__init_开发者_StackOverflow中文版_
interface?
To build on what everyone else has said, yes, you'll need to call the parent's __init__
method.
It's generally best to use super. However, in certain cases (particularly when you're inheriting from multiple classes) it can be a big gotcha. I'll avoid going into detail, there are no shortage of various articles which discuss it. (Also, there are some oddities with some of the other "special" functions. For example, you can do super(SomeCls, self).__getitem__(5)
but super(SomeCls, self)[5]
won't work.)
As a simplistic example of why it's a good idea to use it, you could make Dog
and Cat
inherit from Mammal
(which inherits from Animal
) and not have to change places in your code other than which class Dog
and Cat
inherit from.
As for why your tom
instance doesn't have tom.nlegs
, it's because you haven't called Animal
's __init__
method.
Also remember that not everything needs to be set at initialization time. For this example, it makes more sense not to set things like nlegs
in the __init__
method. Instead, just set it directly in the class. E.g.
class Mammal(object):
nlimbs = 4
def __init__(self):
print "I'm a mammal!"
class Cat(Mammal):
def __init__(self, color="calico"):
self.color = color
super(Cat, self).__init__()
print "I have {0} legs I am {1}".format(self.nlimbs, self.color)
class FiveLeggedCat(Cat):
nlimbs = 5
Basically, if something is likely to change from instance to instance (e.g. the color of the cat) or needs to be done at initialization (e.g. opening a file), then it probably should be set in __init__
.
Otherwise, if it's something we want to be the same for any instance of the class, it can be cleaner to set it directly in the class definition.
Also, attributes set this way will be available to documentation tools (e.g. the built-in help
function), whereas attributes set at initialization won't be.
Use super
:
class Cat(Animal):
def __init__(self, talk='meow', num_legs=4):
print 'Hay cat'
self.talk = talk
super(Cat, self).__init__(num_legs)
tom = Cat() #tom is a normal cat
bob = Cat('Nyan', 3) #bob is a japanese defective cat
You need to look at the Python docs about super()
. For example, you would normally begin (or end) your Cat.__init__()
method with a call to super(Cat, self).__init__(<any args>)
.
精彩评论