Python 的函式在宣告引數時大概有下面 4 種形式:
- 不帶預設值的:
def func(a): pass
- 帶有預設值的:
def func(a, b = 1): pass
- 任意位置引數:
def func(a, b = 1, *c): pass
- 任意鍵值引數:
def func(a, b = 1, *c, **d): pass
在呼叫函式時,有兩種情況:
- 沒有關鍵詞的引數:
func("G", 20)
- 帶有關鍵詞的引數:
func(a = "G", b = 20)
(其中帶有關鍵詞呼叫可以不考慮順序:func(b = 20, a = "G"
)
當然,這兩種情況是可以混用的:func("G", b = 20)
,但最重要的一條規則是位置引數不能在關鍵詞引數之後出現:
1 2 3 |
def func(a, b = 1): pass func(a = "G", 20) # SyntaxError 語法錯誤 |
1 2 3 4 |
File "", line 3 func(a = "G", 20) # SyntaxError 語法錯誤 ^ SyntaxError: positional argument follows keyword argument |
另外一條規則是:位置引數優先權:
1 2 3 |
def func(a, b = 1): pass func(20, a = "G") # TypeError 對引數 a 重複賦值 |
1 2 3 4 5 6 7 8 9 10 |
--------------------------------------------------------------------------- TypeError Traceback (most recent call last) in () 1 def func(a, b = 1): 2 pass ----> 3 func(20, a = "G") # TypeError 對引數 a 重複賦值 TypeError: func() got multiple values for argument 'a' |
最保險的方法就是全部採用關鍵詞引數。
任意引數
任意引數可以接受任意數量的引數,其中*a
的形式代表任意數量的位置引數,**d
代表任意數量的關鍵詞引數:
1 2 3 4 |
def concat(*lst, sep = "/"): return sep.join((str(i) for i in lst)) print(concat("G", 20, "@", "Hz", sep = "")) |
1 |
G20<a href="http://www.jobbole.com/members/wuhan7265">@Hz</a> |
上面的這個def concat(*lst, sep = "/")
的語法是PEP 3102提出的,在 Python 3.0 之後實現。這裡的關鍵詞函式必須明確指明,不能通過位置推斷:
1 |
print(concat("G", 20, "-")) # Not G-20 |
1 |
G/20/- |
**d
則代表任意數量的關鍵詞引數
1 2 3 4 5 |
def dconcat(sep = ":", **dic): for k in dic.keys(): print("{}{}{}".format(k, sep, dic[k])) dconcat(hello = "world", python = "rocks", sep = "~") |
1 2 |
hello~world python~rocks |
Unpacking
Python 3.5 新增的新特性(PEP 448),使得*a
、**d
可以在函式引數之外使用:
1 2 3 4 5 6 7 8 9 |
print(*range(5)) lst = [0, 1, 2, 3] print(*lst) a = *range(3), # 這裡的逗號不能漏掉 print(a) d = {"hello": "world", "python": "rocks"} print({**d}["python"]) |
1 2 3 4 |
0 1 2 3 4 0 1 2 3 (0, 1, 2) rocks |
所謂的解包(Unpacking)實際上可以看做是去掉()
的元組或者是去掉{}
的字典。這一語法也提供了一個更加 Pythonic 地合併字典的方法:
1 2 3 4 |
user = {'name': "Trey", 'website': "http://treyhunner.com"} defaults = {'name': "Anonymous User", 'page_name': "Profile Page"} print({**defaults, **user}) |
1 |
{'page_name': 'Profile Page', 'name': 'Trey', 'website': 'http://treyhunner.com'} |
在函式呼叫的時候使用這種解包的方法則是 Python 2.7 也可以使用的:
1 |
print(concat(*"ILovePython")) |
1 |
I/L/o/v/e/P/y/t/h/o/n |