路飞 5。16答案
https://www.cnblogs.com/alice-bj/p/8561425.html
1.面向对象三大特性,各有什么用处,说说你的理解。
继承:解决代码重用问题
多态:多态性,可以在不考虑对象类型的情况下而直接使用对象
封装:明确的区分内外,控制外部对隐藏属性的操作行为,隔离复杂度
2.类的属性和对象的属性有什么区别?
类的属性:数据属性和函数属性,数据属性是所有对象共有的,函数属性是绑定给对象使用的
对象的属性:对象是类的实例化
3.面向过程编程与面向对象编程的区别与应用场景?
面向过程:复杂的问题流程化,简单化 应用场景:不在需要扩展了,监控脚本,自动部署脚本,软件解压安装
面向对象:特征与技能的结合体 一切皆对象 应用场景:用户需求经常变化,互联网应用,游戏,企业内部应用
4.类和对象在内存中是如何保存的。
类和对象的属性:以字典的形式保存的。
5.什么是绑定到对象的方法、绑定到类的方法、解除绑定的函数、如何定义,如何调用,给谁用?有什么特性
绑定到对象的方法:就应该由对象来调用,def tell_info(self):... obj.tell_info()
绑定到类的方法:就应该由类来调用,@classmethod def from_conf(cls):... class.from_conf()
非绑定方法:不与类或对象绑定,谁都可以调用,@staticmethod def create_id():... obj.create_if()/class.create_id()
6.使用实例进行 获取、设置、删除 数据, 分别会触发类的什么私有方法
1 # class A(object):
2 # def __setitem__(self, key, value):
3 # self.__dict__[key] = value
4 #
5 # def __getitem__(self, item):
6 # # return self.__dict__[item]
7 # return self.__dict__.get(item)
8 #
9 # def __delitem__(self, key):
10 # del self.__dict__[key]
11 #
12 # a = A()
13 # a["key"] = "val"
14 # print(a.__dict__)
15 # # a = a["key"]
16 # # print(a)
17 # del a["key"]
18 # print(a.__dict__)
7.python中经典类和新式类的区别
经典类:py2 没有继承object的类,以及它的子类都称之为经典类 -->深度优先
新式类:py3 继承object的类,以及它的子类都称之为新式类 -->广度优先
8.如下示例, 请用面向对象的形式优化以下代码
1 # 1、在没有学习类这个概念时,数据与功能是分离的
2 # def exc1(host,port,db,charset):
3 # conn=connect(host,port,db,charset)
4 # conn.execute(sql)
5 # return xxx
6 # def exc2(host,port,db,charset,proc_name)
7 # conn=connect(host,port,db,charset)
8 # conn.call_proc(sql)
9 # return xxx
10 # # 每次调用都需要重复传入一堆参数
11 # exc1('127.0.0.1',3306,'db1','utf8','select * from tb1;')
12 # exc2('127.0.0.1',3306,'db1','utf8','存储过程的名字')
13
14 # class exec:
15 # def __init__(self,proc_name):
16 # self.host='127.0.0.1'
17 # self.port=3306
18 # self.db='db1'
19 # self.charset='utf-8'
20 # self.proc_name=proc_name
21 #
22 # ex=exec('存储名称')
23 # ex2=exec('存储名称2')
24 # print(ex.__dict__)
25 # print(ex2.__dict__)
9.示例1, 现有如下代码, 会输出什么:
1 class People(object):
2 __name = "luffy"
3 __age = 18
4
5
6 p1 = People()
7 # print(p1.__name, p1.__age)
8 '''
9 AttributeError: 'People' object has no attribute '__name'
10 '''
11 # print(People.__dict__)
12 # print(p1._People__name,p1._People__age)
13 '''
14 {'__module__': '__main__', '_People__name': 'luffy', '_People__age': 18, '__dict__': <attribute '__dict__' of 'People' objects>, '__weakref__': <attribute '__weakref__' of 'People' objects>, '__doc__': None}
15 luffy 18
16 '''
10.示例2, 现有如下代码, 会输出什么:
1 class People(object):
2
3 def __init__(self,name):
4 print("__init__")
5
6 def __new__(cls, *args, **kwargs):
7 print("__new__")
8 print(args,kwargs)
9 return object.__new__(cls)
10
11 # People('alice')
12 '''
13 __new__
14 __init__
15 '''
11.请简单解释Python中 staticmethod(静态方法)和 classmethod(类方法), 并分别补充代码执行下列方法。
静态方法:非绑定方法,类和对象都可调用
类方法:绑定给类的方法,类调用
1 class A(object):
2 def __init__(self,name):
3 self.name=name
4
5 def foo(self, x):
6 print("executing foo(%s, %s)" % (self,x))
7
8 @classmethod
9 def class_foo(cls, x):
10 print("executing class_foo(%s, %s)" % (cls,x))
11
12 @staticmethod
13 def static_foo(x):
14 print("executing static_foo(%s)" % (x))
15
16 # a = A('alice')
17 # a.foo('alice')
18 # A.class_foo('alice')
19 # a.static_foo('alice')
20 # A.static_foo('alice')
21 '''
22 executing foo(<__main__.A object at 0x000002A5FED12AC8>, alice)
23 executing class_foo(<class '__main__.A'>, alice)
24 executing static_foo(alice)
25 executing static_foo(alice)
26 '''
12.请执行以下代码,解释错误原因,并修正错误。
错误原因:@property 可将函数属性转化为数据属性
1 class Dog(object):
2
3 def __init__(self,name):
4 self.name = name
5
6 @property
7 def eat(self):
8 print(" %s is eating" %self.name)
9
10 d = Dog("ChenRonghua")
11 # d.eat()
12 # d.eat
13.下面这段代码的输出结果将是什么?请解释。
1 class Parent(object):
2 x = 1
3
4 class Child1(Parent):
5 pass
6
7 class Child2(Parent):
8 pass
9
10 # print(Parent.x, Child1.x, Child2.x)
11 # Child1.x = 2
12 # print(Parent.x, Child1.x, Child2.x)
13 # Parent.x = 3
14 # print(Parent.x, Child1.x, Child2.x)
15
16 # 1 1 1 继承自父类的类属性x,所以都一样,指向同一块内存地址
17 # 1 2 1 更改Child1,Child1的x指向了新的内存地址
18 # 3 2 3 更改Parent,Parent的x指向了新的内存地址
14.多重继承的执行顺序,请解答以下输出结果是什么?并解释。
super()表示的是 子类的mro()列表中的下一个
print(G.mro())
[<class '__main__.G'>, <class '__main__.D'>, <class '__main__.A'>, <class '__main__.B'>, <class 'object'>]
print(F.mro())
[<class '__main__.F'>, <class '__main__.C'>, <class '__main__.B'>, <class '__main__.D'>, <class '__main__.A'>, <class 'object'>]
1 class A(object):
2 def __init__(self):
3 print('A')
4 super(A, self).__init__()
5
6 class B(object):
7 def __init__(self):
8 print('B')
9 super(B, self).__init__()
10
11 class C(A):
12 def __init__(self):
13 print('C')
14 super(C, self).__init__()
15
16 class D(A):
17 def __init__(self):
18 print('D')
19 super(D, self).__init__()
20
21 class E(B, C):
22 def __init__(self):
23 print('E')
24 super(E, self).__init__()
25
26 class F(C, B, D):
27 def __init__(self):
28 print('F')
29 super(F, self).__init__()
30
31 class G(D, B):
32 def __init__(self):
33 print('G')
34 super(G, self).__init__()
35
36 # if __name__ == '__main__':
37 # g = G()
38 # f = F()
39 # print(G.mro())
40 # print(F.mro())
41
42 # G
43 # D
44 # A
45 # B
46 #
47 # F
48 # C
49 # B
50 # D
51 # A
52 # [<class '__main__.G'>, <class '__main__.D'>, <class '__main__.A'>, <class '__main__.B'>, <class 'object'>]
53 # [<class '__main__.F'>, <class '__main__.C'>, <class '__main__.B'>, <class '__main__.D'>, <class '__main__.A'>, <class 'object'>]
15.请编写一段符合多态特性的代码.
1 class Animal:
2 def __init__(self, name):
3 self.name = name
4
5
6 class People(Animal):
7 def talk(self):
8 print('%s is talking' % self.name)
9
10
11 class Dog(Animal):
12 def talk(self):
13 print('%s is talking' % self.name)
14
15
16 def func(animal):
17 animal.talk()
18
19 # p=People('alice')
20 # d=Dog('wang')
21 # func(p)
22 # func(d)
23 '''
24 alice is talking
25 wang is talking
26 '''
16.很多同学都是学会了面向对象的语法,却依然写不出面向对象的程序,原因是什么呢?原因就是因为你还没掌握一门面向对象设计利器,
即领域建模,请解释下什么是领域建模,以及如何通过其设计面向对象的程序?
http://www.cnblogs.com/alex3714/articles/5188179.html 此blog最后面有详解
领域模型,顾名思义,就是需求所涉及的领域的一个建模,更通俗的讲法是业务模型。
定义:
需求到面向对象的桥梁
作用:
1.发掘重要的业务领域概念
2.建立业务领域概念之间的关系
方法:
从用例中找名词
领域建模的三字经方法:找名词、加属性、连关系。
参考:http://www.cnblogs.com/linhaifeng/articles/6182264.html#_label15
http://www.cnblogs.com/linhaifeng/articles/7341318.html
17.请写一个小游戏,人狗大站,2个角色,人和狗,游戏开始后,生成2个人,3条狗,互相混战,人被狗咬了会掉血,狗被人打了也掉血,
狗和人的攻击力,具备的功能都不一样。注意,请按题14领域建模的方式来设计类。
1 class Animal:
2 def __init__(self, name,life_value,aggressivity):
3 self.name = name
4 self.life_value = life_value
5 self.aggressivity = aggressivity
6
7 def attack(self,enemy):
8 enemy.life_value -= self.aggressivity
9
10
11 class People(Animal):
12 camp='home'
13 def attack(self,enemy):
14 super().attack(enemy)
15 print('from people')
16
17 class Dog(Animal):
18 camp='wo'
19 def attack(self,enemy):
20 super().attack(enemy)
21 print('from dog')
22
23 p1=People('alice',80,30)
24 p1=People('alex',80,30)
25 d1=Dog('w1',90,50)
26 d2=Dog('w2',90,50)
27 d3=Dog('w3',90,50)
28
29 # print(p1.life_value)
30 # d1.attack(p1)
31 # print(p1.life_value)
32
33 # print(d1.life_value)
34 # p1.attack(d1)
35 # print(d1.life_value)
18.编写程序, 在元类中控制把自定义类的数据属性都变成大写.
19.编写程序, 在元类中控制自定义的类无需init方法.
1 class Mymeta(type):
2 def __new__(cls,class_name,class_bases,class_dic):
3 update_dic = {}
4 for i in class_dic:
5 if not callable(class_dic[i]) and not i.startswith('__'):
6 update_dic[i.upper()]=class_dic[i]
7 else:
8 update_dic[i]=class_dic[i]
9 return type.__new__(cls,class_name,class_bases,update_dic)
10
11 def __call__(self, *args, **kwargs):
12 obj=object.__new__(self)
13 if args:
14 raise TypeError('must be keyword argument')
15 for i in kwargs:
16 obj.__dict__[i]=kwargs[i]
17 return obj
18
19 class Chinese(metaclass=Mymeta):
20 country='china'
21 tag='legend of the dragon'
22
23 def talk(self):
24 print('%s is talking'%self.name)
25
26 # print(Chinese.__dict__)
27 # ch=Chinese(name='alice',age=18)
28 # ch.talk()
29 # print(ch.__dict__)
20.编写程序, 编写一个学生类, 要求有一个计数器的属性, 统计总共实例化了多少个学生.
1 class Student:
2 __count = 0
3 def __init__(self, name, age):
4 self.name = name
5 self.age = age
6 Student.__count += 1
7
8 @property
9 def talk(self):
10 print('%s is talking' % self.name)
11
12 @staticmethod
13 def tell_count():
14 print('总共实例化了 %s 人' % Student.__count)
15
16 # s1 = Student('alice', 18)
17 # s2 = Student('alex', 20)
18 # s3 = Student('egon', 28)
19 # Student.tell_count()
20 # s1.tell_count()
21 # s1.talk
22 # s2.talk
21.编写程序, A 继承了 B, 俩个类都实现了 handle 方法, 在 A 中的 handle 方法中调用 B 的 handle 方法
1 class B:
2 def handle(self):
3 print('from B handle')
4
5 class A(B):
6 def handle(self):
7 super().handle()
8 # print('from A handle')
9 # a=A()
10 # a.handle()
22.编写程序, 如下有三点要求:
1.自定义用户信息数据结构, 写入文件, 然后读取出内容, 利用json模块进行数据的序列化和反序列化
e.g
{
"egon":{"password":"123",'status':False,'timeout':0},
"alex":{"password":"456",'status':False,'timeout':0},
}
2.定义用户类,定义方法db,例如 执行obj.db可以拿到用户数据结构
3.在该类中实现登录、退出方法, 登录成功将状态(status)修改为True, 退出将状态修改为False(退出要判断是否处于登录状态).
密码输入错误三次将设置锁定时间(下次登录如果和当前时间比较大于10秒即不允许登录)
1 import json
2 import time
3 class User:
4 def __init__(self, name, password):
5 self.name = name
6 self.password = password
7 self.status = False
8 self.timeout = 0
9
10 @property
11 def db(self):
12 with open(self.name+'.txt', 'r', encoding='utf-8') as f:
13 data = json.load(f)
14 return data
15
16 def save(self):
17 obj={}
18 obj[self.name]={'password':self.password,'status':self.status,'timeout':self.timeout}
19 with open(self.name+'.txt', 'w', encoding='utf-8') as f:
20 json.dump(obj,f)
21
22 def login(self):
23 with open(self.name+'.txt', 'r+', encoding='utf-8') as f:
24 data = json.load(f)
25 count = 0
26 while count < 3:
27 password = input('password>>:').strip()
28 if password != data[self.name]['password']:
29 count += 1
30 continue
31 else:
32 if data[self.name]['timeout'] != 0:
33 if time.time() - data[self.name]['timeout'] > 10:
34 print('不允许登录了!超时')
35 break
36 else:
37 data[self.name]['status'] = True
38 f.seek(0)
39 f.truncate()
40 json.dump(data, f)
41 print('----welcome----')
42 break
43 else:
44 data[self.name]['status'] = True
45 f.seek(0)
46 f.truncate()
47 json.dump(data, f)
48 print('----welcome----')
49 break
50
51 else:
52 data[self.name]['timeout']=time.time()
53 f.seek(0)
54 f.truncate()
55 json.dump(data,f)
56
57
58 def quit(self):
59 with open(self.name+'.txt', 'r+', encoding='utf-8') as f:
60 data = json.load(f)
61 if data[self.name]['status'] == True:
62 data[self.name]['status'] = False
63 f.seek(0)
64 f.truncate()
65 json.dump(data, f)
66 else:
67 print('您是退出状态!')
68
69
70 # alex=User('alex','123')
71 # egon=User('egon','456')
72