All the Python built-ins are subclasses of object
and I come across many user-defined classes which are too. Why? What is the purpose of the class object
? It's just an empty class, right?
相关问题
- how to define constructor for Python's new Nam
- streaming md5sum of contents of a large remote tar
- How to get the background from multiple images by
- Evil ctypes hack in python
- Correctly parse PDF paragraphs with Python
It has to do with the "new-style" of classes. You can read more about it here: http://docs.python.org/tutorial/classes.html#multiple-inheritance and also here: http://docs.python.org/reference/datamodel.html#new-style-and-classic-classes
Using new-style classes will allow you to use "Python's newer, versatile features like __slots__, descriptors, properties, and __getattribute__()."
The short version is that classic classes, which didn't need a superclass, had limitations that couldn't be worked around without breaking a lot of old code. So they created the concept of new-style classes which subclass from
object
, and now you can do cool things like define properties, and subclassingdict
is no longer an exercise in pain and strange bugs.The details are in section 3.3 of the Python docs: New-style and classic classes.
Right, but it marks the class as a new-style class. Newly developed classes should use the
object
base because it costs little and future-proofs your code.Python 2.2 introduced "new style classes" which had a number of additional features relative to the old style classes which did not subclass object. Subclasses object was the chosen way to indicate that your class should be a new style class, not an old style one.
Short answer: subclassing
object
effectively makes it a new-style class (note that this is unnecessary since automatic in Python 3.x)For the difference between
new style
classes andold style
classes: see this stackoverflow question. For the complete story: see this nice writeup on Python Types and Objects.In short, it sets free magical ponies.
In long, Python 2.2 and earlier used "old style classes". They were a particular implementation of classes, and they had a few limitations (for example, you couldn't subclass builtin types). The fix for this was to create a new style of class. But, doing this would involve some backwards-incompatible changes. So, to make sure that code which is written for old style classes will still work, the
object
class was created to act as a superclass for all new-style classes. So, in Python 2.X,class Foo: pass
will create an old-style class andclass Foo(object): pass
will create a new style class.In longer, see Guido's Unifying types and classes in Python 2.2.
And, in general, it's a good idea to get into the habit of making all your classes new-style, because some things (the
@property
decorator is one that comes to mind) won't work with old-style classes.