闭包的特点是返回的函数还引用了外层函数的局部变量,所以,要正确使用闭包,就要确保引用的局部变量在函数返回后不能变。
因此,返回函数不要引用任何循环变量,或者后续会发生变化的变量。
因此,返回函数不要引用任何循环变量,或者后续会发生变化的变量。
2015-04-11
已采纳回答 / DanDanHang
return 返回的是一个对象,这里return s and len(s.strip()) > 0,应该看成return (s and len(s.strip()) > 0),返回的将是一个布尔变量,即True或者False。s and len(s.strip()) > 0是一个复合判断用and连接,从python的角度来看其实,它内部做了两个隐式的变换计算,即计算b1=bool(s)和b2=bool(s.strip()>0) ,最后再判断b1 and b2。bool(s)的意思是...
2015-04-11
def count():
fs = []
for i in range(1, 4):
def fin():
a=i
def f():
return a*a
return f
fs.append(fin())
return fs
f1, f2, f3 = count()
print f1(), f2(), f3()
fs = []
for i in range(1, 4):
def fin():
a=i
def f():
return a*a
return f
fs.append(fin())
return fs
f1, f2, f3 = count()
print f1(), f2(), f3()
2015-04-11
要求"返回函数不要引用任何循环变量,或者后续会发生变化的变量",f外套一个函数fin,就把变量i转为了常量,结果ok了
2015-04-11
def calc_prod(lst):
def get_prode():
result=1
for i in range(len(lst)):
result=result*lst[i]
return result
return get_prode
f = calc_prod([1, 2, 3, 4])
print f()
def get_prode():
result=1
for i in range(len(lst)):
result=result*lst[i]
return result
return get_prode
f = calc_prod([1, 2, 3, 4])
print f()
2015-04-11
def cmp_ignore_case(s1, s2):
if s1.lower()>s2.lower():
return 1
elif s1.lower()==s2.lower():
return 0
else:
return -1
print sorted(['bob', 'about', 'Zoo', 'Credit'], cmp_ignore_case)
if s1.lower()>s2.lower():
return 1
elif s1.lower()==s2.lower():
return 0
else:
return -1
print sorted(['bob', 'about', 'Zoo', 'Credit'], cmp_ignore_case)
2015-04-11
import math
def is_sqr(x):
return math.sqrt(x)==int(math.sqrt(x))
print filter(is_sqr, range(1,101))
def is_sqr(x):
return math.sqrt(x)==int(math.sqrt(x))
print filter(is_sqr, range(1,101))
2015-04-11