其实Java也有自己的polymorphism,只不过每次传入参数的时候都会声明变量类型,然后Java编译的时候会根据给的类型查找应该选用的method执行;所以说,静态语言并不是没有polymorphism,只是输入参数时要带类型声明
2017-10-26
如果是把除了初始化之外的东西放在 __init__( ) 里面是bad style,最好是写其他的method,因为 __init__ 就像Java里面的constructor, 而黄金法则是:constructors are used to instantiate instance variables. 所以最好不要写太多的实际操作方法在 __init__ 里面
2017-10-26
def calc_prod(lst):
def multiply_list():
result = 1
for i in lst:
result = result * i
return result
return multiply_list
f = calc_prod([1, 2, 3, 4])
print f()
def multiply_list():
result = 1
for i in lst:
result = result * i
return result
return multiply_list
f = calc_prod([1, 2, 3, 4])
print f()
2017-10-26
def calc_prod(lst):
def prod(x,y):
return x*y
def lazy_prod():
return reduce(prod,lst)
return lazy_prod
f = calc_prod([1, 2, 3, 4])
print f()
def prod(x,y):
return x*y
def lazy_prod():
return reduce(prod,lst)
return lazy_prod
f = calc_prod([1, 2, 3, 4])
print f()
2017-10-25
def calc_prod(lst):
def lazy_prod(x,y):
return x*y
return reduce(lazy_prod,lst)
f = calc_prod([1, 2, 3, 4])
print f
def lazy_prod(x,y):
return x*y
return reduce(lazy_prod,lst)
f = calc_prod([1, 2, 3, 4])
print f
2017-10-25
import json
class Students(object):
@staticmethod
def read():
return r'["Tim", "Bob", "Alice"]'
s = Students()
print json.load(s)
#json.load将json转换为Python格式,实际是调用了对象的read方法,所以重写read()方法;read()方法不能有参数,所以必须写成静态方法;r 是取消转义
class Students(object):
@staticmethod
def read():
return r'["Tim", "Bob", "Alice"]'
s = Students()
print json.load(s)
#json.load将json转换为Python格式,实际是调用了对象的read方法,所以重写read()方法;read()方法不能有参数,所以必须写成静态方法;r 是取消转义
2017-10-25
def count():
fs = []
for i in range(1, 4):
fs.append(i*i)
return fs
f1, f2, f3 = count()
print f1, f2, f3
用最简便的方法实现最实用的功能
fs = []
for i in range(1, 4):
fs.append(i*i)
return fs
f1, f2, f3 = count()
print f1, f2, f3
用最简便的方法实现最实用的功能
2017-10-25
def Gcd(a,b):
if(a<b): a,b = b,a
return a if b==0 else Gcd(b,a%b)
if(a<b): a,b = b,a
return a if b==0 else Gcd(b,a%b)
2017-10-25
像这种内层函数引用了外层函数的变量(参数也算变量),然后返回内层函数的情况,称为闭包(Closure)。
请问内层函数是怎么返回他自己的
请问内层函数是怎么返回他自己的
2017-10-25
def calc_prod(lst):
def prod(x,y):
from functools import reduce
from operator import mul
return reduce(mul,lst)
return prod
f = calc_prod([1, 2, 3, 4])
print (f(0,0))
def prod(x,y):
from functools import reduce
from operator import mul
return reduce(mul,lst)
return prod
f = calc_prod([1, 2, 3, 4])
print (f(0,0))
2017-10-25
import math
def is_sqr(x):
s=math.sqrt(x)
if s==int(s):
return x
print filter(is_sqr, range(1, 101))
def is_sqr(x):
s=math.sqrt(x)
if s==int(s):
return x
print filter(is_sqr, range(1, 101))
2017-10-25