类的高级函数(双下横线)

__str__

介绍
  • 如果定义了该函数, 当print当前实例化对象的时候, 会返回改函数的return信息
用法
1
2
def __str__(self):
return str_type
参数
返回值
  • 一般返回对于该类的描述信息

__gatattr__

介绍
  • 当调用的属性或方法不存在时,会返回该方法定义的信息
用法
1
2
def __gatattr__(self, key):
print(something...)
参数
  • key : 调用任意不存在的属性名
返回值
  • 可以是任意类型也可以不进行返回

代码片段1

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
# coding:utf-8

class Test(object):

def __str__(self):
return 'this is a test class'

def __getattr__(self, key):
# print('这个key:{}并不存在'.format(key))
return '这个key:{}并不存在'.format(key)


t = Test()
print(t)
# print(t.a)
print(t.a)
print(t.b)

__setattr__

功能
  • 拦截当前类中不存在的属性与值
用法
1
2
def __settattr__(self, key, value):
self.__dict__[key] = value
参数
  • key 当前的属性名
  • value 当前的参数对应的值
返回值

__call__

功能
  • 本质是将一个类变成一个函数
用法
1
2
def __call__(self, *args, **kwargs):
print('call will start')
参数
  • 可传任意参数
返回值
  • 与函数情况相同 可有可无

代码片段2

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58

# coding:utf-8

class Test(object):

def __str__(self):
return 'this is a test class'

def __getattr__(self, key):
# print('这个key:{}并不存在'.format(key))
return '这个key:{}并不存在'.format(key)

def __setattr__(self, key, value):
# print(key, value)
# if key not in self.__dict__:
self.__dict__[key] = value
print(self.__dict__)

def __call__(self, a):
print('call func will start')
print(a)


t = Test()
print(t)
# print(t.a)
print(t.a)
print(t.b)
t.name = '小慕'
print(t.name)
t('dewei')
# t.a.b.c 链式操作


class Test2(object):
def __init__(self, attr=''):
self.__attr = attr

def __call__(self, name):
# print('key is {}'.format(self.__attr))
return name

def __getattr__(self, key):
if self.__attr:
key = '{}.{}'.format(self.__attr, key)
else:
key = key
print(key)
return Test2(key)


t2 = Test2()
name = t2.a.b.c('dewei')
print(name)


result = t2.name.age.sex('ok')
print(result)