标签:code 对象 red 多个 lock 直接 cto 顺序 结束
repr方法>> s = repr([1,2,3])
>> s
‘[1, 2, 3]‘
>> eval(s)
[1, 2, 3]>>?s=repr((1,2,3))
>>?eval(s)
(1,?2,?3)
map()函数
map()?会根据提供的函数对指定序列做映射。
第一个参数 function 以参数序列中的每一个元素调用 function 函数,返回包含每次 function 函数返回值的新列表。
map(function,iterable,....)
function 函数
Iterable 一个或多个序列
Python3 返回迭代器
Python2 返回列表
>> map(str,[1,2,3])
<map object at 0x000000000258C8D0>
>> list(map(str,[1,2,3]))
[‘1‘, ‘2‘, ‘3‘]>> list(map(lambda x,y:x +y ,[1,2,3],[1,1,1]))
[2, 3, 4]
习题8:使用map把[1,2,3]变为[2,3,4]
>> list(map(lambda x:x+1,[1,2,3]))
[2, 3, 4]>> def func(x):
... return x+1
...>> list(map(func,[1,2,3]))
[2, 3, 4]
习题9:使用map,大写变小写
>> list(map(lambda x:x.lower(),"ABC"))
[‘a‘, ‘b‘, ‘c‘]>> list(map(lambda x:chr(ord(x)+32),"ABC"))
[‘a‘, ‘b‘, ‘c‘]
filter()函数
filter()?函数用于过滤序列,过滤掉不符合条件的元素,返回由符合条件元素组成的新列表。
该接收两个参数,第一个为函数,第二个为序列,序列的每个元素作为参数传递给函数进行判,然后返回 True 或 False,最后将返回 True 的元素放到新列表中。
filter(function,iterable)
function --判断函数
Iterable --序列
返回值:
Python3 返回迭代器
Python2 返回列表
习题10:删除字符串中的大写字母,只保留字符串的小写字母
def is_lower(x):
if x >="a" and x <= "z":
return True
print(list(filter(is_lower,"aBC")))
def is_odd(n):
return n % 2 == 1
newlist = filter(is_odd, [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
print(list(newlist))
reduce()
from functools import reduce
reduce()?函数会对参数序列中元素进行累积。
函数将一个数据集合(列表,元组等)中的所有数据进行下列操作:用传给 reduce 中的函数 function(有两个参数)先对集合中的第 1、2 个元素进行操作,得到的结果再与第三个数据用 function 函数运算,最后得到一个结果。
reduce(funciton,iterable)
function --函数,有两个参数
Iterable -- 可迭代对象
>> from functools import reduce
>> reduce(lambda x,y:x+y,[1,2,3,4])
10
示例:“13579”转换为13579
from functools import reduce
def fn(x, y):
return x * 10 + y
def char2num(s):
return {‘0‘: 0, ‘1‘: 1, ‘2‘: 2, ‘3‘: 3, ‘4‘: 4, ‘5‘: 5, ‘6‘: 6, ‘7‘: 7, ‘8‘: 8, ‘9‘: 9}[s]
print(reduce(fn, map(char2num, ‘13579‘))) # 1:1*10+3 =13
“13579”转换为13579
>> reduce(lambda x,y:int(x)*10+int(y),"13579")
13579
递归
求阶乘
def func(n):
if n == 1:#基线条件,结束递归条件
return 1
else:#递归条件
return n * func(n-1)
print(func(3))
压栈:
n = 3 func(2) 压栈
n=2 func(1) 压栈
出栈:
相反顺序,fun(1)出栈,返回1,2func(1) 返回2
fun(1)出栈,返回2,3func(2) 返回6
标签:code 对象 red 多个 lock 直接 cto 顺序 结束
原文地址:http://blog.51cto.com/13496943/2176915