Python object new style class inheritance

2 篇文章 0 订阅
作者:kaka19ace
链接:https://www.zhihu.com/question/19754936/answer/43271191
来源:知乎
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

Python2 里的新式类, 其特点如下(截取Guido的博客内容, 然后添加点自己的解释, 轻拍~):
  • low-level constructors named __new__() – 低级别的构造函数.
    Note: Python 的 class __init__ 并不是其他语言意义上的构造函数,
    在 new 创建实例后对实例属性初始化的函数.

  • descriptors, a generalized way to customize attribute access – 描述符.
    或者说描述符协议支持.descriptor protocol __get__, __set__ ,__delete__ 等,
    可以阅读 descriptor 文档

  • static methods and class methods - 静态方法和类方法

  • properties (computed attributes) – 属性访问 setter getter.

  • decorators (introduced in Python 2.4) – 装饰器.
    现在装饰器语法糖遍布各Python框架.

  • slots – 用户设置后可以限定实例的属性.
    在 Python2 中替代 __dict__, 可以节省近 2/3 内存, Python3 中可以
    不因为优化内存使用率而使用 slots, 因为 __dict__ 结构内存做了优化,
    Note: __dict__ 并不是 Python 意义上的内置的 dict, 其实是一个 proxy 类.

  • a new Method Resolution Order (MRO) – MRO 方法解析次序改变
    (由左递归改为C3算法)


贴上博客,另外博客参考的是Guido的亲自介绍的博文.
Python 新式类介绍 (包含 new-style-and-classic-classes 文档翻译)
python-history.blogspot.com



继承了object的类是新式类,由于他们都是object的派生类,便于统一操作。
py2由于一些类不继承object,就弄了一些内置函数,两种风格掺杂在一起很别扭。其实这点在动态语言里面看不出优势,在静态类型的语言比如java之中优势一目了然。

作者:Narsil
链接:https://www.zhihu.com/question/19754936/answer/28288505
来源:知乎
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

py 2.2 后继承 object 的目的是使这个类成为 new style class, 没有继承 object 的为传统 classic class,
在本机进行了测试,环境为 py 2.7.3

class Foo(object):
pass

class Foo1:
pass

print type(Foo), type(Foo1)
print dir(Foo)
print dir(Foo1)

print isinstance(Foo, object)
print isinstance(Foo1, object)

结果如下:
<type 'type'> <type 'classobj'>
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattribute__', '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__']
['__doc__', '__module__']
True
True(这个 True 有些疑问,Foo1 不应是 object 的实例啊)

还有一个问题是上面兄弟说 py 3.0 以上 object 已经作为默认基类被继承了(跟 java 一样),本机环境不太方便测试,所以不知是否正确.



python2:


>>> class Foo: pass
... 
>>> type(Foo())
<type 'instance'>


>>> class Bar(object): pass
... 
>>> type(Bar())
<class '__main__.Bar'>



可以看出区别类型上有区别,这两种类型的区别在此处文档说明:
https://docs.python.org/release/2.5.2/ref/node33.html
https://www.python.org/download/releases/2.2.3/descrintro/



python3:
python3已经把旧类型去掉了,也就是说已经隐式继承了object,所以,python3中写不写继承object都是没有区别的



Python Types and Objects

Shalabh Chaturvedi

All Rights Reserved.

About This Book

Explains Python new-style objects:

  • what are <type 'type'> and <type 'object'>

  • how user defined classes and instances are related to each other and to built-in types

  • what are metaclasses

New-style implies Python version 2.2 and upto and including 3.x. There have been some behavioral changes during these version but all the concepts covered here are valid. The system described is sometimes called the Python type system, or the object model.

This book is part of a series:

  1. Python Types and Objects [you are here]

  2. Python Attributes and Methods

This revision: 
Discuss | Latest version | Cover page
Author: shalabh@cafepy.com


Before You Begin

Some points you should note:

  • This book covers the new-style objects (introduced a long time ago in Python 2.2). Examples are valid for Python 2.5 and all the way to Python 3.x.

  • This book is not for absolute beginners. It is for people who already know Python (even a little Python) and want to know more.

  • This book provides a background essential for grasping new-style attribute access and other mechanisms (descriptors, properties and the like). If you are interested in only attribute access, you could go straight toPython Attributes and Methods, after verifying that you understand the Summary of this book.

Happy pythoneering!

Chapter 1. Basic Concepts

The Object Within

So what exactly is a Python object? An object is an axiom in our system - it is the notion of some entity. We still define an object by saying it has:

  • Identity (i.e. given two names we can say for sure if they refer to one and the same object, or not).

  • A value - which may include a bunch of attributes (i.e. we can reach other objects throughobjectname.attributename).

  • A type - every object has exactly one type. For instance, the object 2 has a type int and the object "joe"has a type string.

  • One or more bases. Not all objects have bases but some special ones do. A base is similar to a super-class or base-class in object-oriented lingo.

If you are more of the 'I like to know how the bits are laid out' type as opposed to the 'I like the meta abstract ideas' type, it might be useful for you to know that each object also has a specific location in main memory that you can find by calling the id() function.

The type and bases (if they exist) are important because they define special relationships an object has with other objects. Keep in mind that the types and bases of objects just other objects. This will be re-visited soon.

You might think an object has a name but the name is not really part of the object. The name exists outside of the object in a namespace (e.g. a function local variable) or as an attribute of another object.

Even a simple object such as the number 2 has a lot more to it than meets the eye.

Example 1.1. Examining an integer object

>>> two = 2 1
>>> type(two)
<type 'int'> 2
>>> type(type(two))
<type 'type'> 3
>>> type(two).__bases__
(<type 'object'>,) 4
>>> dir(two) 5
['__abs__', '__add__', '__and__', '__class__', '__cmp__', '__coerce__', 
 '__delattr__', '__div__', '__divmod__', '__doc__', '__float__',
 '__floordiv__', '__format__', '__getattribute__', '__getnewargs__',
 '__hash__', '__hex__', '__index__', '__init__', '__int__', '__invert__',
 '__long__', '__lshift__', '__mod__', '__mul__', '__neg__', '__new__',
 '__nonzero__', '__oct__', '__or__', '__pos__', '__pow__', '__radd__',
 '__rand__', '__rdiv__', '__rdivmod__', '__reduce__', '__reduce_ex__',
 '__repr__', '__rfloordiv__', '__rlshift__', '__rmod__', '__rmul__',
 '__ror__', '__rpow__', '__rrshift__', '__rshift__', '__rsub__',
 '__rtruediv__', '__rxor__', '__setattr__', '__sizeof__', '__str__',
 '__sub__', '__subclasshook__', '__truediv__', '__trunc__', '__xor__',
 'conjugate', 'denominator', 'imag', 'numerator', 'real']


1

Here we give an integer the name two in the current namespace.

2

The type of this object is <type 'int'>. This <type 'int'> is another object, which we will now explore. Note that this object is also called just int and <type 'int'> is the printable representation.

3

Hmm.. the type of <type 'int'> is an object called <type 'type'>.

4

Also, the __bases__ attribute of <type 'int'> is a tuple containing an object called <type 'object'>. Bet you didn't think of checking the __bases__ attribute ;).

5

Let's list all the attributes present on this original integer object - wow that's a lot.

You might say "What does all this mean?" and I might say "Patience! First, let's go over the first rule."

Rule 1

Everything is an object

The built-in int is an object. This doesn't mean that just the numbers such as 2 and 77 are objects (which they are) but also that there is another object called int that is sitting in memory right beside the actual integers. In fact all integer objects are pointing to int using their __class__ attribute saying "that guy really knows me". Calling type() on an object just returns the value of the __class__ attribute.

Any classes that we define are objects, and of course, instances of those classes are objects as well. Even the functions and methods we define are objects. Yet, as we will see, all objects are not equal.

A Clean Slate

We now build the Python object system from scratch. Let us begin at the beginning - with a clean slate.

Figure 1.1. A Clean Slate

A Clean Slate

You might be wondering why a clean slate has two grey lines running vertically through it. All will be revealed when you are ready. For now this will help distinguish a slate from another figure. On this clean slate, we will gradually put different objects, and draw various relationships, till it is left looking quite full.

At this point, it helps if any preconceived object oriented notions of classes and objects are set aside, and everything is perceived in terms of objects (our objects) and relationships.

Relationships

As we introduce many different objects, we use two kinds of relationships to connect. These are the subclass-superclass relationship (a.k.a. specialization or inheritance, "man is an animal", etc.) and the type-instancerelationship (a.k.a instantiation, "Joe is a man", etc.). If you are familiar with these concepts, all is well and you can proceed, otherwise you might want to take a detour through the section called “Object-Oriented Relationships”.

Chapter 2. Bring In The Objects

The First Objects

We examine two objects: <type 'object'> and <type 'type'>.

Example 2.1. Examining <type 'object'> and <type 'type'>

>>> object 1
<type 'object'>
>>> type 2
<type 'type'> 
>>> type(object) 3
<type 'type'>
>>> object.__class__ 4
<type 'type'>
>>> object.__bases__ 5
()
>>> type.__class__ 6
<type 'type'>
>>> type.__bases__ 7
(<type 'object'>,)



1 2

The names of the two primitive objects within Python. Earlier type() was introduced as a way to find the type of an object (specifically, the __class__ attribute). In reality, it is both - an object itself, and a way to get the type of another object.

3 4 5

Exploring <type 'object'>: the type of <type 'object'> is <type 'type'>. We also use the __class__attribute and verify it is the same as calling type().

6 7

Exploring <type 'type'>: interestingly, the type of <type 'type'> is itself! The __bases__ attribute points to<type 'object'>.

Let's make use of our slate and draw what we've seen.

Figure 2.1. Chicken and Egg

Chicken and Egg

These two objects are primitive objects in Python. We might as well have introduced them one at a time but that would lead to the chicken and egg problem - which to introduce first? These two objects are interdependent - they cannot stand on their own since they are defined in terms of each other.

Continuing our Python experimentation:

Example 2.2. There's more to <type 'object'> and <type 'type'>

>>> isinstance(object, object) 1
True
>>> isinstance(type, object) 2
True



1

Whoa! What happened here? This is just Dashed Arrow Up Rule in action. Since <type 'type'> is a subclass of <type 'object'>, instances of <type 'type'> are instances of <type 'object'> as well.

2

Applying both Dashed Arrow Up Rule and Dashed Arrow Down Rule, we can effectively reverse the direction of the dashed arrow. Yes, it is still consistent.

If the above example proves too confusing, ignore it - it is not much use anyway.

Now for a new concept - type objects. Both the objects we introduced are type objects. So what do we mean by type objects? Type objects share the following traits:

  • They are used to represent abstract data types in programs. For instance, one (user defined) object called User might represent all users in a system, another once called int might represent all integers.

  • They can be subclassed. This means you can create a new object that is somewhat similar to exsiting type objects. The existing type objects become bases for the new one.

  • They can be instantiated. This means you can create a new object that is an instance of the existing type object. The existing type object becomes the __class__ for the new object.

  • The type of any type object is <type 'type'>.

  • They are lovingly called types by some and classes by others.

Yes you read that right. Types and classes are really the same in Python (disclaimer: this doesn't apply to old-style classes or pre-2.2 versions of Python. Back then types and classes had their differences but that was a long time ago and they have since reconciled their differences so let bygones be bygones, shall we?). No wonder the type() function and the __class__ attribute get you the same thing.

The term class was traditionally used to refer to a class created by the class statement. Built-in types (such as int and string) are not usually referred to as classes, but that's more of a convention thing and in reality types and classes are exactly the same thing. In fact, I think this is important enough to put in a rule:

Class is Type is Class

The term type is equivalent to the term class in all version of Python >= 2.3.

Types and (er.. for lack of a better word) non-types (ugh!) are both objects but only types can have subcasses. Non-types are concrete values so it does not make sense for another object be a subclass. Two good examples of objects that are not types are the integer 2 and the string "hello". Hmm.. what does it mean to be a subclass of 2?

Still confused about what is a type and what is not? Here's a handy rule for you:

Type Or Non-type Test Rule

If an object is an instance of <type 'type'>, then it is a type. Otherwise, it is not a type.

Looking back, you can verify that this is true for all objects we have come across, including <type 'type'> which is an instance of itself.

To summarize:

  1. <type 'object'> is an instance of <type 'type'>.

  2. <type 'object'> is a subclass of no object.

  3. <type 'type'> is an instance of itself.

  4. <type 'type'> is a subclass of <type 'object'>.

  5. There are only two kinds of objects in Python: to be unambiguous let's call these types and non-types. Non-types could be called instances, but that term could also refer to a type, since a type is always an instance of another type. Types could also be called classes, and I do call them classes from time to time.

Note that we are drawing arrows on our slate for only the direct relationships, not the implied ones (i.e. only if one object is another's __class__, or in the other's __bases__). This make economic use of the slate and our mental capacity.

More Built-in Types

Python does not ship with only two objects. Oh no, the two primitives come with a whole gang of buddies.

Figure 2.2. Some Built-in Types

Some Built-in Types

A few built-in types are shown above, and examined below.

Example 2.3. Examining some built-in types

>>> list 1
<type 'list'>
>>> list.__class__  2
<type 'type'>
>>> list.__bases__  3
(<type 'object'>,)
>>> tuple.__class__, tuple.__bases__ 4
(<type 'type'>, (<type 'object'>,))
>>> dict.__class__, dict.__bases__ 5
(<type 'type'>, (<type 'object'>,))
>>>
>>> mylist = [1,2,3] 6
>>> mylist.__class__ 7
<type 'list'>



1

The built-in <type 'list'> object.

2

Its type is <type 'type'>.

3

It has one base (a.k.a. superclass), <type 'object'>.

4 5

Ditto for <type 'tuple'> and <type 'dict'>.

6

This is how you create an instance of <type 'list'>.

7

The type of a list is <type 'list>. No surprises here.

When we create a tuple or a dictionary, they are instances of the respective types.

So how can we create an instance of mylist? We cannot. This is because mylist is a not a type.

New Objects by Subclassing

The built-in objects are, well, built into Python. They're there when we start Python, usually there when we finish. So how can we create new objects?

New objects cannot pop out of thin air. They have to be built using existing objects.

Example 2.4. Creating new objects by subclassing

# In Python 2.x:
class C(object): 1
    pass

# In Python 3.x, the explicit base class is not required, classes are
# automatically subclasses of object:
class C: 2
    pass

class D(object):
    pass

class E(C, D): 3
    pass

class MyList(list): 4
    pass 


1

The class statement tells Python to create a new type by subclassing an existing type.

2

Don't do this in Python 2.x or you will end up with an object that is an old-style class, everything you read here will be useless and all will be lost.

3

Multiple bases are fine too.

4

Most built-in types can be subclassed (but not all).

After the above example, C.__bases__ contains <type 'object'>, and MyList.__bases__ contains <type 'list'>.

New Objects by Instantiating

Subclassing is only half the story.

Example 2.5. Creating new objects by instantiating

obj = object() 1

cobj = C() 2

mylist = [1,2,3] 3


1 2

The call operator (()) creates a new object by instantiating an existing object. The existing object must be a type. Depending on the type, the call operator might accept arguments.

2

Python syntax creates new objects for some built-in types. The square brackets create an instance of <type 'list'>; a numeric literal creates an instance of <type 'int'>.

After the above exercise, our slate looks quite full.

Figure 2.3. User Built Objects

User Built Objects

Note that by just subclassing <type 'object'>, the type C automatically is an instance of <type 'type'>. This can be verified by checking C.__class__. Why this happens is explained in the next section.

It's All Instantiation, Really

Some questions are probably popping up in your head at this point. Or maybe they aren't, but I'll answer them anyway:

Q:

How does Python really create a new object?

A:

Internally, when Python creates a new object, it always uses a type and creates an instance of that object. Specifically it uses the __new__() and __init__() methods of the type (discussion of those is outside the scope of this book). In a sense, the type serves as a factory that can churn out new objects. The type of these manufactured objects will be the type object used to create them. This is why every object has a type.

Q:

When using instantiation, I specify the type, but how does Python know which type to use when I use subclassing?

A:

It looks at the base class that you specified, and uses its type as the type for the new object. In the example Example 2.4, “Creating new objects by subclassing” , <type 'type'> (the type of <type 'object'>, the specified base) is used as the type object for creating C.

A little thought reveals that under most circumstances, any subclasses of <type 'object'> (and their subclasses, and so on) will have <type 'type'> as their type.

Advanced Material Ahead

Advanced discussion ahead, tread with caution, or jump straight to the next section.

Q:

Can I instead specify a type object to use?

A:

Yes. One option is by using the __metaclass__ class attribute as in the following example:

Example 2.6. Specifying a type object while using class statement

class MyCWithSpecialType(object):
    __metaclass__ = SpecialType


Now Python will create MyCWithSpecialType by instantiating SpecialType, and not <type 'type'>.

Q:

Wow! Can I use any type object as the __metaclass__?

A:

No. It must be a subclass of the type of the base object. In the above example:

  • Base of MyCWithSpecialType is <type 'object'>.

  • Type of <type 'object'> is <type 'type'>.

  • Therefore SpecialType must be a subclass of <type 'type'>.

Implementation of something like SpecialType requires special care and is out of scope for this book.

Q:

What if I have multiple bases, and don't specify a __metaclass__ - which type object will be used?

A:

Good Question. Depends if Python can figure out which one to use. If all the bases have the same type, for example, then that will be used. If they have different types that are not related, then Python cannot figure out which type object to use. In this case specifying a __metaclass__ is required, and this __metaclass__ must be a subclass of the type of each base.

Q:

When should I use a __metaclass__?

A:

Never (as long as you're asking this question anyway :)

Chapter 3. Wrap Up

The Python Objects Map

We really ended up with a map of different kinds of Python objects in the last chapter.

Figure 3.1. The Python Objects Map

The Python Objects Map

Here we also unravel the mystery of the vertical grey lines. They just segregate objects into three spaces based on what the common man calls them - metaclassesclasses, or instances.

Various pedantic observations of the diagram above:

  1. Dashed lines cross spacial boundaries (i.e. go from object to meta-object). Only exception is <type 'type'>(which is good, otherwise we would need another space to the left of it, and another, and another...).

  2. Solid lines do not cross space boundaries. Again, <type 'type'> -> <type 'object'> is an exception.

  3. Solid lines are not allowed in the rightmost space. These objects are too concrete to be subclassed.

  4. Dashed line arrow heads are not allowed rightmost space. These objects are too concrete to be instantiated.

  5. Left two spaces contain types. Rightmost space contains non-types.

  6. If we created a new object by subclassing <type 'type'> it would be in the leftmost space, and would also be both a subclass and instance of <type 'type'>.

Also note that <type 'type'> is indeed a type of all types, and <type 'object'> a superclass of all types (except itself).

Summary

To summarize all that has been said:
  • There are two kinds of objects in Python:

    1. Type objects - can create instances, can be subclassed.

    2. Non-type objects - cannot create instances, cannot be subclassed.

  • <type 'type'> and <type 'object'> are two primitive objects of the system.

  • objectname.__class__ exists for every object and points the type of the object. 

  • objectname.__bases__ exists for every type object and points the superclasses of the object. It is empty only for <type 'object'>

  • To create a new object using subclassing, we use the class statement and specify the bases (and, optionally, the type) of the new object. This always creates a type object.

  • To create a new object using instantiation, we use the call operator (()) on the type object we want to use. This may create a type or a non-type object, depending on which type object was used.

  • Some non-type objects can be created using special Python syntax. For example, [1, 2, 3] creates an instance of <type 'list'>.

  • Internally, Python always uses a type object to create a new object. The new object created is an instance of the type object used. Python determines the type object from a class statement by looking at the bases specified, and finding their types.

  • issubclass(A,B) (testing for superclass-subclass relationship) returns True iff:

    1. B is in A.__bases__, or

    2. issubclass(Z,B) is true for any Z in A.__bases__.

  • isinstance(A,B) (testing for type-instance relationship) returns True iff:

    1. B is A.__class__, or

    2. issubclass(A.__class__,B) is true.

  • Squasher is really a python. (Okay, that wasn't mentioned before, but now you know.)

More Types to Play With

The following example shows how to discover and experiment with built-in types.

Example 3.1. More built-in types

>>> import types 1
>>> types.ListType is list 2
True
>>> def f(): 3
...     pass
...
>>> f.__class__ is types.FunctionType 4
True
>>>
>>> class MyList(list): 5
...     pass
...
>>> class MyFunction(types.FunctionType): 6
...     pass
...
Traceback (most recent call last):
  File "<stdin>", line 1, in ?
TypeError: type 'function' is not an acceptable base type
>>> dir(types) 7
['BooleanType', 'DictProxyType', 'DictType', ..]



1

The types module contains many built-in types.

2

Some well known types have another name as well. 

3

def creates a function object. 

4

The type of a function object is types.FunctionType

5

Some built-in types can be subclassed. 

6

Some cannot.

7

More types than you can shake a stick at.

What's the Point, Anyway?

So we can create new objects with any relationship we choose, but what does it buy us?

The relationships between objects determine how attribute access on the object works. For example, when we say objectname.attributename, which object do we end up with? It all depends on objectname, its type, and its bases (if they exist).

Attribute access mechanisms in Python are explained in the second book of this series: Python Attributes and Methods.

Classic Classes

This is a note about classic classes in Python. We can create classes of the old (pre 2.2) kind by using a plain class statement.

Example 3.2. Examining classic classes

>>> class ClassicClass: 1
...     pass
...
>>> type(ClassicClass) 2
<type 'classobj'>
>>> import types
>>> types.ClassType is type(ClassicClass) 3
True
>>> types.ClassType.__class__ 4
<type 'type'>
>>> types.ClassType.__bases__ 5
(<type 'object'>,)

1

A class statement specifying no bases creates a classic class Remember that to create a new-style class you must specify object as the base (although this is not required in Python 3.0 since new-style classes are the default). Specifying only classic classes as bases also creates a classic class. Specifying both classic and new-style classes as bases create a new-style class.

2

Its type is an object we haven't seen before (in this book).

3

The type of classic classes is an object called types.ClassType.

4 5

It looks and smells like just another type object.

The types.ClassType object is in some ways an alternative <type 'type'>. Instances of this object (classic classes) are types themselves. The rules of attribute access are different for classic classes and new-style classes. The types.ClassType object exists for backward compatibility and may not exist in future versions of Python. Other sections of this book should not be applied to classic classes.

Comment on this book here: discussion page. I appreciate feedback!

That's all, folks!

Chapter 4. Stuff You Should Have Learnt Elsewhere

Object-Oriented Relationships

Can Skim Section

This oddly placed section explains the type-instance and supertype-subtype relationships, and can be safely skipped if the reader is already familiar with these OO concepts. Skimming over the rules below might be useful though.

While we introduce many different objects, we only use two kinds of relationships (Figure 4.1, “Relationships”):

  • is a kind of (solid line): Known to the OO folks as specialization, this relationship exists between two objects when one (the subclass) is a specialized version of the other (the superclass). A snake is a kind of reptile. It has all the traits of a reptile and some specific traits which identify a snake.

    Terms used: subclass ofsuperclass of and superclass-subclass.

  • is an instance of (dashed line): Also known as instantiation, this relationship exists between two objects when one (the instance) is a concrete example of what the other specifies (the type). I have a pet snake named Squasher. Squasher is an instance of a snake.

    Terms used: instance oftype oftype-instance and class-instance.

Note that in plain English, the term 'is a' is used for both of the above relationships. Squasher is a snake and snake is a reptile are both correct. We, however, use specific terms from above to avoid any confusion.

Figure 4.1. Relationships

Relationships

We use the solid line for the first relationship because these objects are closer to each other than ones related by the second. To illustrate - if one is asked to list words similar to 'snake', one is likely to come up with 'reptile'. However, when asked to list words similar to 'Squasher', one is unlikely to say 'snake'.

It is useful at this point to note the following (independent) properties of relationships:

Dashed Arrow Up Rule

If X is an instance of A, and A is a subclass of B, then X is an instance of B as well.

Dashed Arrow Down Rule

If B is an instance of M, and A is a subclass of B, then A is an instance of M as well.

In other words, the head end of a dashed arrow can move up a solid arrow, and the tail end can move down (shown as 2a and 2b in Figure 4.2, “Transitivity of Relationships” respectively). These properties can be directly derived from the definition of the superclass-subclass relationship.

Figure 4.2. Transitivity of Relationships

Transitivity of Relationships

Applying Dashed Arrow Up Rule, we can derive the second statement from the first:

  1. Squasher is an instance of snake (or, the type of Squasher is snake).

  2. Squasher is an instance of reptile (or, the type of Squasher is reptile).

Earlier we said that an object has exactly one type. So how does Squasher have two? Note that although both statements are correct, one is more correct (and in fact subsumes the other). In other words:

  • Squasher.__class__ is snake. (In Python, the __class__ attribute points to the type of an object).

  • Both isinstance(Squasher, snake) and isinstance(Squasher, reptile) are true.

A similar rules exists for the superclass-subclass relationship.

Combine Solid Arrows Rule

If A is a subclass of B, and B is a subclass of C, then A is a subclass of C as well.

A snake is a kind of reptile, and a reptile is a kind of animal. Therefore a snake is a kind of animal. Or, in Pythonese:

  • snake.__bases__ is (reptile,). (The __bases__ attribute points to a tuple containing superclasses of an object).

  • Both issubclass(snake, reptile) and issubclass(snake, animal) are true.

Note that it is possible for an object to have more than one base.

Related Documentation

[descrintro] Unifying types and classes in Python 2.2Guido van Rossum

[pep-253] Subclassing Built-in TypesGuido van Rossum

Colophon

This book was written in DocBook XML. The HTML version was produced using DocBook XSL stylesheets andxsltproc. The PDF version was produced using htmldoc. The diagrams were drawn using OmniGraffe [1]. The process was automated using Paver [2].



[ 1] http://www.omnigroup.com/
[ 2] http://www.blueskyonmars.com/projects/paver/

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
完整版:https://download.csdn.net/download/qq_27595745/89522468 【课程大纲】 1-1 什么是java 1-2 认识java语言 1-3 java平台的体系结构 1-4 java SE环境安装和配置 2-1 java程序简介 2-2 计算机中的程序 2-3 java程序 2-4 java类库组织结构和文档 2-5 java虚拟机简介 2-6 java的垃圾回收器 2-7 java上机练习 3-1 java语言基础入门 3-2 数据的分类 3-3 标识符、关键字和常量 3-4 运算符 3-5 表达式 3-6 顺序结构和选择结构 3-7 循环语句 3-8 跳转语句 3-9 MyEclipse工具介绍 3-10 java基础知识章节练习 4-1 一维数组 4-2 数组应用 4-3 多维数组 4-4 排序算法 4-5 增强for循环 4-6 数组和排序算法章节练习 5-0 抽象和封装 5-1 面向过程的设计思想 5-2 面向对象的设计思想 5-3 抽象 5-4 封装 5-5 属性 5-6 方法的定义 5-7 this关键字 5-8 javaBean 5-9 包 package 5-10 抽象和封装章节练习 6-0 继承和多态 6-1 继承 6-2 object类 6-3 多态 6-4 访问修饰符 6-5 static修饰符 6-6 final修饰符 6-7 abstract修饰符 6-8 接口 6-9 继承和多态 章节练习 7-1 面向对象的分析与设计简介 7-2 对象模型建立 7-3 类之间的关系 7-4 软件的可维护与复用设计原则 7-5 面向对象的设计与分析 章节练习 8-1 内部类与包装器 8-2 对象包装器 8-3 装箱和拆箱 8-4 练习题 9-1 常用类介绍 9-2 StringBuffer和String Builder类 9-3 Rintime类的使用 9-4 日期类简介 9-5 java程序国际化的实现 9-6 Random类和Math类 9-7 枚举 9-8 练习题 10-1 java异常处理 10-2 认识异常 10-3 使用try和catch捕获异常 10-4 使用throw和throws引发异常 10-5 finally关键字 10-6 getMessage和printStackTrace方法 10-7 异常分类 10-8 自定义异常类 10-9 练习题 11-1 Java集合框架和泛型机制 11-2 Collection接口 11-3 Set接口实现类 11-4 List接口实现类 11-5 Map接口 11-6 Collections类 11-7 泛型概述 11-8 练习题 12-1 多线程 12-2 线程的生命周期 12-3 线程的调度和优先级 12-4 线程的同步 12-5 集合类的同步问题 12-6 用Timer类调度任务 12-7 练习题 13-1 Java IO 13-2 Java IO原理 13-3 流类的结构 13-4 文件流 13-5 缓冲流 13-6 转换流 13-7 数据流 13-8 打印流 13-9 对象流 13-10 随机存取文件流 13-11 zip文件流 13-12 练习题 14-1 图形用户界面设计 14-2 事件处理机制 14-3 AWT常用组件 14-4 swing简介 14-5 可视化开发swing组件 14-6 声音的播放和处理 14-7 2D图形的绘制 14-8 练习题 15-1 反射 15-2 使用Java反射机制 15-3 反射与动态代理 15-4 练习题 16-1 Java标注 16-2 JDK内置的基本标注类型 16-3 自定义标注类型 16-4 对标注进行标注 16-5 利用反射获取标注信息 16-6 练习题 17-1 顶目实战1-单机版五子棋游戏 17-2 总体设计 17-3 代码实现 17-4 程序的运行与发布 17-5 手动生成可执行JAR文件 17-6 练习题 18-1 Java数据库编程 18-2 JDBC类和接口 18-3 JDBC操作SQL 18-4 JDBC基本示例 18-5 JDBC应用示例 18-6 练习题 19-1 。。。
完整版:https://download.csdn.net/download/qq_27595745/89522468 【课程大纲】 1-1 什么是java 1-2 认识java语言 1-3 java平台的体系结构 1-4 java SE环境安装和配置 2-1 java程序简介 2-2 计算机中的程序 2-3 java程序 2-4 java类库组织结构和文档 2-5 java虚拟机简介 2-6 java的垃圾回收器 2-7 java上机练习 3-1 java语言基础入门 3-2 数据的分类 3-3 标识符、关键字和常量 3-4 运算符 3-5 表达式 3-6 顺序结构和选择结构 3-7 循环语句 3-8 跳转语句 3-9 MyEclipse工具介绍 3-10 java基础知识章节练习 4-1 一维数组 4-2 数组应用 4-3 多维数组 4-4 排序算法 4-5 增强for循环 4-6 数组和排序算法章节练习 5-0 抽象和封装 5-1 面向过程的设计思想 5-2 面向对象的设计思想 5-3 抽象 5-4 封装 5-5 属性 5-6 方法的定义 5-7 this关键字 5-8 javaBean 5-9 包 package 5-10 抽象和封装章节练习 6-0 继承和多态 6-1 继承 6-2 object类 6-3 多态 6-4 访问修饰符 6-5 static修饰符 6-6 final修饰符 6-7 abstract修饰符 6-8 接口 6-9 继承和多态 章节练习 7-1 面向对象的分析与设计简介 7-2 对象模型建立 7-3 类之间的关系 7-4 软件的可维护与复用设计原则 7-5 面向对象的设计与分析 章节练习 8-1 内部类与包装器 8-2 对象包装器 8-3 装箱和拆箱 8-4 练习题 9-1 常用类介绍 9-2 StringBuffer和String Builder类 9-3 Rintime类的使用 9-4 日期类简介 9-5 java程序国际化的实现 9-6 Random类和Math类 9-7 枚举 9-8 练习题 10-1 java异常处理 10-2 认识异常 10-3 使用try和catch捕获异常 10-4 使用throw和throws引发异常 10-5 finally关键字 10-6 getMessage和printStackTrace方法 10-7 异常分类 10-8 自定义异常类 10-9 练习题 11-1 Java集合框架和泛型机制 11-2 Collection接口 11-3 Set接口实现类 11-4 List接口实现类 11-5 Map接口 11-6 Collections类 11-7 泛型概述 11-8 练习题 12-1 多线程 12-2 线程的生命周期 12-3 线程的调度和优先级 12-4 线程的同步 12-5 集合类的同步问题 12-6 用Timer类调度任务 12-7 练习题 13-1 Java IO 13-2 Java IO原理 13-3 流类的结构 13-4 文件流 13-5 缓冲流 13-6 转换流 13-7 数据流 13-8 打印流 13-9 对象流 13-10 随机存取文件流 13-11 zip文件流 13-12 练习题 14-1 图形用户界面设计 14-2 事件处理机制 14-3 AWT常用组件 14-4 swing简介 14-5 可视化开发swing组件 14-6 声音的播放和处理 14-7 2D图形的绘制 14-8 练习题 15-1 反射 15-2 使用Java反射机制 15-3 反射与动态代理 15-4 练习题 16-1 Java标注 16-2 JDK内置的基本标注类型 16-3 自定义标注类型 16-4 对标注进行标注 16-5 利用反射获取标注信息 16-6 练习题 17-1 顶目实战1-单机版五子棋游戏 17-2 总体设计 17-3 代码实现 17-4 程序的运行与发布 17-5 手动生成可执行JAR文件 17-6 练习题 18-1 Java数据库编程 18-2 JDBC类和接口 18-3 JDBC操作SQL 18-4 JDBC基本示例 18-5 JDBC应用示例 18-6 练习题 19-1 。。。

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值