(小甲鱼python)类和对象(I)总结 类的定义、self的用法

一、类与对象

1.类
定义类时,类名首字母大写。
属性即写在类里面的变量,方法即写在类里面的函数。

例1:

class Turtle:
        head=1
        eyes=2
        legs=4
        shell=True

        def crawl(self):
                print("不积跬步无以至千里")

        def run(self):
                print("积极奔跑")

        def bite(self):
                print("bite,bite,bite")

        def eat(self):
                print("谁知盘中餐,;粒粒皆辛苦")

        def sleep(self):
                print("Zzzzzzz")

>>> t1=Turtle()    
>>> t1.head       #定义的方法,通过t1引用
1
>>> t1.legs
4
>>> t1.crawl()
不积跬步无以至千里
>>> t1.bite()
bite,bite,bite
>>> t1.sleep()
Zzzzzzz

将类Turtle赋值给t2

>>> t2=Turtle()
>>> t1.head
1
>>> t1.legs
4
>>> t2.head
1
>>> t2.legs
4
>>> t2.crawl()
不积跬步无以至千里
>>> 
>>> t2.legs=3    #修改t2变量的值
>>> t2.legs
3
>>> t1.legs     # 修改t2属性值,t1并不会改变
4
>>> 
>>> t1.mouth=1
>>> t1.mouth
1

用dir()函数,可以看到t1 比 t2多了一个mouth属性

>>> dir(t1)
['__class__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__le__', '__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'bite', 'crawl', 'eat', 'eyes', 'head', 'legs', 'mouth', 'run', 'shell', 'sleep']
>>> 
>>> dir(t2)
['__class__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__le__', '__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'bite', 'crawl', 'eat', 'eyes', 'head', 'legs', 'run', 'shell', 'sleep']
>>> 

2.self用法
类里面的参数都必须有一个self参数作为第一个参数。
例2:
没用self报错

>>> class C:
	def hello():
		print("你好")

		
>>> c=C()
>>> c.hello()
Traceback (most recent call last):
  File "", line 1, in 
    c.hello()
TypeError: hello() takes 0 positional arguments but 1 was given
>>> 

例3:

>>> class C:
	def get_self(self):
		print(self)

		
>>> c=C()
>>> c.get_self()        # 类c的实例化对象
<__main__.C object at 0x000001F8EF836E80>
>>> c
<__main__.C object at 0x000001F8EF836E80>
>>> 

课后题:
1.判断

>>> class C:
...     x = 250
...        
>>> c1 = C()
>>> c2 = C()
>>> c1 is c2
False
>>> c1 == c2
False
>>> c1.x is c2.x
True
>>> c1.x == c2.x
True

解析:虽然是基于统一个类的两个对象,但它们并不相同,也并不相等。但它们所拥有的 x 属性,确都是来自于同一个类 C 的。
2.请问下面代码中,self 参数的值什么?为什么方法定义的时候有 self 参数,但在调用中却无需传递实参?

>>> class C:
...     def func(self):
...         print("Hi FishC~")
...
>>> c = C()
>>> c.func()
Hi FishC~

答:在上面代码中,self 参数的值是对象 c 自身;因为 self 参数是对象访问方法的时候自动进行传递的,所以不需要我们进行显式传递。
解析:
同一个类可以生成无数多个对象,那么当我们在调用类里面的一个方法的时候,Python 如何知道到底是哪个对象在调用呢?
没错,就是通过这个 self 参数传递的信息。
所以,类中的每一个方法,默认的第一个参数都是 self。

题目来自小甲鱼类与对象

你可能感兴趣的:(python,小甲鱼课程笔记,python,开发语言)