class Person(object):
def __init__(self, name, score):
self.name = name
self.__score = score
p = Person('Bob', 59)
print p.name
try:
print p.__score
except AttributeError:
print 'ErrorType:AttributeError'
正解!
def __init__(self, name, score):
self.name = name
self.__score = score
p = Person('Bob', 59)
print p.name
try:
print p.__score
except AttributeError:
print 'ErrorType:AttributeError'
正解!
2018-07-24
sorted(iterable, key=None, reverse=False)
iterable -- 可迭代对象。
key -- 主要是用来进行比较的元素,只有一个参数,具体的函数的参数就是取自于可迭代对象中,指定可迭代对象中的一个元素来进行排序。
reverse -- 排序规则,reverse = True 降序 , reverse = False 升序(默认)。
print(sorted(['bob', 'about', 'Zoo', 'Credit'], key=str.upper))
iterable -- 可迭代对象。
key -- 主要是用来进行比较的元素,只有一个参数,具体的函数的参数就是取自于可迭代对象中,指定可迭代对象中的一个元素来进行排序。
reverse -- 排序规则,reverse = True 降序 , reverse = False 升序(默认)。
print(sorted(['bob', 'about', 'Zoo', 'Credit'], key=str.upper))
2018-07-24
def count():
fs = []
for i in range(1, 4):
def f(p=i): # 对闭包函数传入内部参数
return p*p
fs.append(f)
return fs
f1, f2, f3 = count()
print f1(), f2(), f3()
fs = []
for i in range(1, 4):
def f(p=i): # 对闭包函数传入内部参数
return p*p
fs.append(f)
return fs
f1, f2, f3 = count()
print f1(), f2(), f3()
2018-07-19
def count():
fs = []
for i in range(1, 4):
def f():
return i*i
fs.append(f()) 注意这里里面写成f()即可,这里返回函数值,而原来的写的是f,返回的是函数
return fs
f1, f2, f3 = count()
print f1, f2, f3
fs = []
for i in range(1, 4):
def f():
return i*i
fs.append(f()) 注意这里里面写成f()即可,这里返回函数值,而原来的写的是f,返回的是函数
return fs
f1, f2, f3 = count()
print f1, f2, f3
2018-07-19
class Fib(object):
def __call__(self,n):
a,b,c = 0,0,1
re = []
while n:
re.append(b)
a,b = b,c
c = a+b
n-=1
return re
f = Fib()
print (f(10))
def __call__(self,n):
a,b,c = 0,0,1
re = []
while n:
re.append(b)
a,b = b,c
c = a+b
n-=1
return re
f = Fib()
print (f(10))
2018-07-19
class Person(object):
def __init__(self, name, gender, **kw):
self.name = name
self.gender = gender
self.age = kw['age']
self.course = kw['course']
p = Person('Bob', 'Male', age=18, course='Python')
print p.age
print p.course
def __init__(self, name, gender, **kw):
self.name = name
self.gender = gender
self.age = kw['age']
self.course = kw['course']
p = Person('Bob', 'Male', age=18, course='Python')
print p.age
print p.course
2018-07-18
import functools
def lower_cmp(a,b):
if a.lower()<b.lower():
return -1
else:
return 1
sorted_ignore_case = functools.partial(sorted,cmp = lower_cmp)
print sorted_ignore_case(['bob', 'about', 'Zoo', 'Credit'])
def lower_cmp(a,b):
if a.lower()<b.lower():
return -1
else:
return 1
sorted_ignore_case = functools.partial(sorted,cmp = lower_cmp)
print sorted_ignore_case(['bob', 'about', 'Zoo', 'Credit'])
2018-07-17
import math
def is_sqr(x):
return math.sqrt(x)-int(math.sqrt(x)) == 0
print filter(is_sqr, range(1, 101))
def is_sqr(x):
return math.sqrt(x)-int(math.sqrt(x)) == 0
print filter(is_sqr, range(1, 101))
2018-07-16