class Person(object):
__count = 0
def __init__(self, name):
self.name=name
Person.__count+=1
print Person.__count
p1 = Person('Bob')
p2 = Person('Alice')
try:
print p1.__count
except:
print 'attributeerror'
__count = 0
def __init__(self, name):
self.name=name
Person.__count+=1
print Person.__count
p1 = Person('Bob')
p2 = Person('Alice')
try:
print p1.__count
except:
print 'attributeerror'
2016-04-10
一定要用 super(Student, self).__init__(name, gender) 去初始化父类,否则,继承自 Person 的 Student 将没有 name 和 gender。
2016-04-10
def calc_prod(lst):
def prod(x,y):
return x*y
def result():
return reduce(prod,lst)
return result
f = calc_prod([1, 2, 3, 4])
print f()
def prod(x,y):
return x*y
def result():
return reduce(prod,lst)
return result
f = calc_prod([1, 2, 3, 4])
print f()
2016-04-10
import math
def is_sqr(x):
return int(math.sqrt(x)) == math.sqrt(x)
print filter(is_sqr, range(1, 101))
def is_sqr(x):
return int(math.sqrt(x)) == math.sqrt(x)
print filter(is_sqr, range(1, 101))
2016-04-10
要定义关键字参数,使用 **kw;
除了可以直接使用self.name = 'xxx'设置一个属性外,还可以通过 setattr(self, 'name', 'xxx') 设置属性。
除了可以直接使用self.name = 'xxx'设置一个属性外,还可以通过 setattr(self, 'name', 'xxx') 设置属性。
2016-04-10
<code>
# 建议用这个:
def gcd(a,b):
while b:
a,b=b,a%b
return a
# 递归的效率低
# 还有
def __str__(self):
c = gcd(self.p, self.q)
return '%s/%s' % (self.p/c, self.q/c)
# 这样多次计算会导致p,q的值越来越大
# 这样:
def __init__(self, p, q):
self.p = p/gcd(p,q)
self.q = q/gcd(p,q)
# o(* ̄▽ ̄*)o
</code>
# 建议用这个:
def gcd(a,b):
while b:
a,b=b,a%b
return a
# 递归的效率低
# 还有
def __str__(self):
c = gcd(self.p, self.q)
return '%s/%s' % (self.p/c, self.q/c)
# 这样多次计算会导致p,q的值越来越大
# 这样:
def __init__(self, p, q):
self.p = p/gcd(p,q)
self.q = q/gcd(p,q)
# o(* ̄▽ ̄*)o
</code>
2016-04-09