search
HomeBackend DevelopmentPython TutorialPython basics-class variables and instance variables
Python basics-class variables and instance variablesJun 26, 2017 am 09:12 AM
pythonvariableBaseExample

Python Basics - Class Variables and Instance Variables

Write in front

Unless otherwise specified, the following is based on Python3

Outline:

Python basics-class variables and instance variables

1. Class variables and instance variables

In the Python Tutorial, class variables and instance variables are described like this:

Generally speaking, instance variables are for data unique to each instance and class variables are for attributes and methods shared by all instances of the class:

Generally speaking, instance variables are for each instance Unique data, while class variables are properties and methods shared by all instances of the class.

In fact, I prefer to use class attributes and instance attributes to call them, but variable has become a customary term for programming languages. A normal example is:

class Dog:

    kind = 'canine'         # class variable shared by all instancesdef __init__(self, name):self.name = name    # instance variable unique to each instance

In class Dog, the class attribute kind is shared by all instances; the instance attribute name is unique to each instance of Dog.

2. Class objects and instance objects

2.1 Class objects

Everything in Python is an object; after the class definition is completed, it will be in the current scope Define a name with the class name in it, pointing to the name of the class object. For example,

class Dog:pass

will define the name Dog in the current scope, pointing to the class object Dog.

Operations supported by class objects:
In general, class objects only support two operations:

  1. instantiation; use Instance_name = class_name() is instantiated, and the instantiation operation creates an instance of the class.

  2. Attribute reference; use class_name.attr_name to reference class attributes.

2.2 Instance object

The instance object is the product of class object instantiation. The instance object only supports one operation:

  1. Attribute reference; in the same way as class object attribute reference, use instance_name.attr_name.

According to strict object-oriented thinking, all attributes should be instances, and class attributes should not exist. Then in Python, since class attribute binding should not exist, only the function definition is left in the class definition.

The Python tutorial also says the same about class definitions:

In practice, the statements inside a class definition will usually be function definitions, but other statements are allowed, and sometimes useful.

In practice, the statements in a class definition are usually function definitions, but other statements are also allowed and sometimes useful.

The other statements mentioned here refer to the binding statements of class attributes.

3. Attribute binding

When defining a class, what we usually call defining attributes is actually divided into two aspects:

  1. Class attribute binding

  2. Instance attribute binding

The word binding is more precise; whether it is a class object It is still an instance object, and the properties all exist based on the object.

The attribute binding we are talking about requires a variable object first to perform the binding operation. Use the

objname.attr = attr_value

method to create the object objnameBinding attributesattr.

There are two situations:

  1. If the attribute attr already exists, the binding operation will point the attribute name to the new object;

  2. If it does not exist, add a new attribute to the object, and you can reference the new attribute later.

3.1 Class attribute binding

PythonAs a dynamic language, both class objects and instance objects can bind any attributes at runtime. Therefore, the binding of class attributes occurs in two places:

  1. when the class is defined;

  2. at any stage during runtime.

The following example illustrates the period when class attribute binding occurs:

class Dog:

    kind = 'canine'Dog.country = 'China'print(Dog.kind, ' - ', Dog.country) # output: canine  -  Chinadel Dog.kindprint(Dog.kind, ' - ', Dog.country) # AttributeError: type object 'Dog' has no attribute 'kind'

In the class definition, the binding of class attributes does not Use the method objname.attr = attr_value. This is a special case. It is actually equivalent to the method of binding attributes using class names later.
Because it is a dynamic language, attributes can be added and deleted at runtime.

3.2 Instance attribute binding

Same as class attribute binding, instance attribute binding also occurs in two places:

  1. When the class is defined ;

  2. Any stage during runtime.

Example:

class Dog:def __init__(self, name, age):self.name = nameself.age = age

dog = Dog('Lily', 3)
dog.fur_color = 'red'print('%s is %s years old, it has %s fur' % (dog.name, dog.age, dog.fur_color))# Output: Lily is 3 years old, it has red fur

PythonClass instances have two special features:

  1. __init__Executed at instantiation

  2. PythonWhen an instance calls a method, the instance object will be used as the first parameter Pass

Therefore, self in the __init__ method is the instance object itself, here is dog, statement

self.name = nameself.age = age

以及后面的语句

dog.fur_color = 'red'

为实例dog增加三个属性name, age, fur_color

4. 属性引用

属性的引用与直接访问名字不同,不涉及到作用域。

4.1 类属性引用

类属性的引用,肯定是需要类对象的,属性分为两种:

  1. 数据属性

  2. 函数属性

数据属性引用很简单,示例:

class Dog:

    kind = 'canine'Dog.country = 'China'print(Dog.kind, ' - ', Dog.country) # output: canine  -  China

通常很少有引用类函数属性的需求,示例:

class Dog:

    kind = 'canine'def tell_kind():print(Dog.kind)
        
Dog.tell_kind() # Output: canine

函数tell_kind在引用kind需要使用Dog.kind而不是直接使用kind,涉及到作用域,这一点在我的另一篇文章中有介绍:Python进阶 - 命名空间与作用域

4.2 实例属性引用

使用实例对象引用属性稍微复杂一些,因为实例对象可引用类属性以及实例属性。但是实例对象引用属性时遵循以下规则:

  1. 总是先到实例对象中查找属性,再到类属性中查找属性;

  2. 属性绑定语句总是为实例对象创建新属性,属性存在时,更新属性指向的对象。

4.2.1 数据属性引用

示例1:

class Dog:

    kind = 'canine'country = 'China'def __init__(self, name, age, country):self.name = nameself.age = ageself.country = country

dog = Dog('Lily', 3, 'Britain')print(dog.name, dog.age, dog.kind, dog.country)# output: Lily 3 canine Britain

类对象Dog与实例对象dog均有属性country,按照规则,dog.country会引用到实例对象的属性;但实例对象dog没有属性kind,按照规则会引用类对象的属性。

示例2:

class Dog:

    kind = 'canine'country = 'China'def __init__(self, name, age, country):self.name = nameself.age = ageself.country = country

dog = Dog('Lily', 3, 'Britain')print(dog.name, dog.age, dog.kind, dog.country) # Lily 3 canine Britainprint(dog.__dict__) # {'name': 'Lily', 'age': 3, 'country': 'Britain'}dog.kind = 'feline'print(dog.name, dog.age, dog.kind, dog.country) # Lily 3 feline Britainprint(dog.__dict__) 
print(Dog.kind) # canine 没有改变类属性的指向# {'name': 'Lily', 'age': 3, 'country': 'Britain', 'kind': 'feline'}

使用属性绑定语句dog.kind = 'feline',按照规则,为实例对象dog增加了属性kind,后面使用dog.kind引用到实例对象的属性。

这里不要以为会改变类属性Dog.kind的指向,实则是为实例对象新增属性,可以使用查看__dict__的方式证明这一点。

示例3,可变类属性引用:

class Dog:
    
    tricks = []def __init__(self, name):self.name = namedef add_trick(self, trick):self.tricks.append(trick)

d = Dog('Fido')
e = Dog('Buddy')
d.add_trick('roll over')
e.add_trick('play dead')print(d.tricks) # ['roll over', 'play dead']

语句self.tricks.append(trick)并不是属性绑定语句,因此还是在类属性上修改可变对象。

4.2.2 方法属性引用

与数据成员不同,类函数属性在实例对象中会变成方法属性。

先看一个示例:

class MethodTest:def inner_test(self):print('in class')def outer_test():print('out of class')

mt = MethodTest()
mt.outer_test = outer_testprint(type(MethodTest.inner_test))  # <class &#39;function&#39;>print(type(mt.inner_test))          #<class &#39;method&#39;>print(type(mt.outer_test))          #<class &#39;function&#39;>

可以看到,类函数属性在实例对象中变成了方法属性,但是并不是实例对象中所有的函数都是方法。

Python tutorial中这样介绍方法对象:

When an instance attribute is referenced that isn’t a data attribute, its class is searched. If the name denotes a valid class attribute that is a function object, a method object is created by packing (pointers to) the instance object and the function object just found together in an abstract object: this is the method object. When the method object is called with an argument list, a new argument list is constructed from the instance object and the argument list, and the function object is called with this new argument list.

引用非数据属性的实例属性时,会搜索它对应的类。如果名字是一个有效的函数对象,Python会将实例对象连同函数对象打包到一个抽象的对象中并且依据这个对象创建方法对象:这就是被调用的方法对象。当使用参数列表调用方法对象时,会使用实例对象以及原有参数列表构建新的参数列表,并且使用新的参数列表调用函数对象。

那么,实例对象只有在引用方法属性时,才会将自身作为第一个参数传递;调用实例对象的普通函数,则不会。
所以可以使用如下方式直接调用方法与函数:

mt.inner_test()
mt.outer_test()

除了方法与函数的区别,其引用与数据属性都是一样的

5. 最佳实践

虽然Python作为动态语言,支持在运行时绑定属性,但是从面向对象的角度来看,还是在定义类的时候将属性确定下来。

The above is the detailed content of Python basics-class variables and instance variables. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
详细讲解Python之Seaborn(数据可视化)详细讲解Python之Seaborn(数据可视化)Apr 21, 2022 pm 06:08 PM

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于Seaborn的相关问题,包括了数据可视化处理的散点图、折线图、条形图等等内容,下面一起来看一下,希望对大家有帮助。

详细了解Python进程池与进程锁详细了解Python进程池与进程锁May 10, 2022 pm 06:11 PM

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于进程池与进程锁的相关问题,包括进程池的创建模块,进程池函数等等内容,下面一起来看一下,希望对大家有帮助。

Python自动化实践之筛选简历Python自动化实践之筛选简历Jun 07, 2022 pm 06:59 PM

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于简历筛选的相关问题,包括了定义 ReadDoc 类用以读取 word 文件以及定义 search_word 函数用以筛选的相关内容,下面一起来看一下,希望对大家有帮助。

归纳总结Python标准库归纳总结Python标准库May 03, 2022 am 09:00 AM

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于标准库总结的相关问题,下面一起来看一下,希望对大家有帮助。

分享10款高效的VSCode插件,总有一款能够惊艳到你!!分享10款高效的VSCode插件,总有一款能够惊艳到你!!Mar 09, 2021 am 10:15 AM

VS Code的确是一款非常热门、有强大用户基础的一款开发工具。本文给大家介绍一下10款高效、好用的插件,能够让原本单薄的VS Code如虎添翼,开发效率顿时提升到一个新的阶段。

Python数据类型详解之字符串、数字Python数据类型详解之字符串、数字Apr 27, 2022 pm 07:27 PM

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于数据类型之字符串、数字的相关问题,下面一起来看一下,希望对大家有帮助。

详细介绍python的numpy模块详细介绍python的numpy模块May 19, 2022 am 11:43 AM

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于numpy模块的相关问题,Numpy是Numerical Python extensions的缩写,字面意思是Python数值计算扩展,下面一起来看一下,希望对大家有帮助。

python中文是什么意思python中文是什么意思Jun 24, 2019 pm 02:22 PM

pythn的中文意思是巨蟒、蟒蛇。1989年圣诞节期间,Guido van Rossum在家闲的没事干,为了跟朋友庆祝圣诞节,决定发明一种全新的脚本语言。他很喜欢一个肥皂剧叫Monty Python,所以便把这门语言叫做python。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment