1. 程式人生 > >Python一行讀入多個整數+map()函式解析

Python一行讀入多個整數+map()函式解析

python中的輸入raw_input只能讀入一個數,但是有時候需要讀入多個數,我們該怎麼辦呢,讀兩個數可以使用兩個raw_input,但是我們如果需要讀取十個數怎麼辦,不能使用十個raw_nput 吧。

import sys  
num1,num2 = map(int,sys.stdin.readline().split())  
print num1,num2  

如果需要理解上面的程式碼我們需要知道map函式的用法和作用,懂了之後再看下面的程式碼簡直就是so easy啊。

1、對可迭代函式'iterable'中的每一個元素應用‘function’方法,將結果作為list返回。 

def add100(x):
      return x+100

hh = [11,22,33]
map(add100,hh)

#輸出:[111, 122, 133]

2.如果map呼叫的函式需要多個引數,也可以傳入多個引數。
def abc(a, b, c):
     return a*10000 + b*100 + c
 
list1 = [11,22,33]
list2 = [44,55,66]
list3 = [77,88,99]
map(abc,list1,list2,list3)

#輸出為:[114477, 225588, 336699]

3.如果'function'給出的是‘None’,會將傳入的引數變成一個含有幾個元組的列表。
<pre name="code" class="python">list1 = [11,22,33]
map(None,list1)

#輸出為:[11, 22, 33]

list1 = [11,22,33]
list2 = [44,55,66]
list3 = [77,88,99]
map(None,list1,list2,list3)

#輸出為:[(11, 44, 77), (22, 55, 88), (33, 66, 99)]

map(f, iterable)
 
基本上等於:
 
[f(x) for x in iterable]

下面來舉兩個列子來證明上面的觀點
def add100(x):
    return x + 100
 
list1 = [11,22,33]
map(add100,list1)
#輸出為:[101, 102, 103]
 
[add100(i) for i in list1]
#輸出為:[101, 102, 103]

def abc(a, b, c):
    return a*10000 + b*100 + c
 
list1 = [11,22,33]
list2 = [44,55,66]
list3 = [77,88,99]
map(abc,list1,list2,list3)
#輸出為:[114477, 225588, 336699]

[abc(a,b,c) for a,b,c in zip(list1,list2,list3)]
#輸出為:[114477, 225588, 336699]