一、定义类的时候,定义多参数接受的类
请定义Person类的__init__方法,除了接受 name、gender 和 birth 外,还可接受任意关键字参数,并把他们都作为属性赋值给实例。
class Person(object): #定义person类
def __init__(self, name, gender, birth, **kw): # **kw 用以接受一个不定长的参数字典
self.name = name
self.gender = gender
self.birth = birth
for k, v in kw.iteritems(): #iteritems方法用迭代器的形式把 **kw 字典的内容用列表返回
setattr(self, k, v) #setattr方法 self.k = v
xiaoming = Person('Xiao Ming', 'Male', '1990-1-1', job='Student')
print xiaoming.name
print xiaoming.job
二、多态继承的建议写作格式
两种方式继承的写法
super语句,只有在最终子类执行的时候,调用一次,假如有很长的继承链,则在继承链中间不会执行
super格式写作:
class B(A): #super单继承
def __init__(self, a):
super(B, self).__init__(a)
print 'init B...'
class C(A,B): #super多继承
def __init__(self):
super(C, self).__init__()
print 'init C...'
分条格式写作:
class C(A) #单继承写法
def __init__(self, a):
A.__init__(self, a)
class C(A, B) #多继承写法
def __init__(self, a, b):
A.__init__(self, a)
B.__init__(self, b)
三、求最小公约数
这里用最小公约数做例子,两种写法启示
1、递归写法
def gcd(a, b):
if b == 0:
return a
return gcd(b, a % b)
2、非递归的写法
def gcd(a,b):
while b:
a,b=b,a%b
return a