python中包含四種函數:全局函數、局部函數、lambda函數、方法。python
局部函數:定義在其餘函數以內。ide
lambda函數:表達式。函數
方法:與特定數據類型關聯的函數spa
使用序列拆分操做符(*)來提供位置參數。orm
例如函數heron的參數存放於一個列表sides中,能夠:heron(sides[0],sides[1],sides[2]) 也能夠進行拆分:heron(*sides)。若是列表包含比函數參數更多的項數,就能夠使用分片提取出合適的參數。blog
在使用可變數量的位置參數的函數時,可以使用序列拆分操做符。it
>>> def product(*args): result = 1 for arg in args: result *= arg return result >>> product(1,2,3,4) 24 >>> product(5,3) 15
能夠將關鍵字參數放在位置參數後面,即def sum_of_power(*args,poewer=1):...io
* 自己做爲參數:代表在*後面不該該再出現位置參數,但關鍵字參數是容許的:def heron(a,b,c,*,unit="meters"):.....form
若是將* 做爲第一個參數,那麼不容許使用任何位置參數,並強制調用該函數時使用關鍵字參數:def print_set(*,paper="Letter",copies=1,color=False):...。能夠不使用任何參數調用print_set(),也能夠改變某些或所有默認值。但若是使用位置參數,就會產生TypeError異常,好比print_set(「A4」)就會產生異常。class
映射拆分操做符(**)
** 用於對映射進行拆分。例如使用**將字典傳遞給print_set()函數:
options = dict(paper="A4",color=True)
pritn_set(**options)
將字典的鍵值對進行拆分,每一個鍵的值被賦予適當的參數,參數名稱與鍵相同。
在參數中使用**,建立的函數能夠接受給定的任意數量的關鍵字參數:
>>> def add_person_details(ssn,surname,**kwargs): print "SSN=",ssn print " surname=",surname for key in sorted(kwargs): print " {0}={1}".format(key,kwargs[key]) >>> add_person_details(123,"Luce",forename="Lexis",age=47) SSN= 123 surname= Luce age=47 forename=Lexis >>> add_person_details(123,"Luce") SSN= 123 surname= Luce
舉例:
>>> def print_args(*args, **kwargs): for i,arg in enumerate(args): print "positional argument{0}={1}".format(i,arg) for key in kwargs: print "keyword argument{0}={1}".format(key,kwargs[key]) >>> print_args(['a','b','c','d'],name='Tom',age=12,sex='f') positional argument0=['a', 'b', 'c', 'd'] keyword argumentage=12 keyword argumentname=Tom keyword argumentsex=f