python输出星号_Python的星号(*、**)的作用
1. 函數(shù)的可變參數(shù)
當函數(shù)的參數(shù)前面有一個星號*的時候表示這是一個可變的位置參數(shù),兩個星號**表示是可變的關鍵字參數(shù)。
#!env python
#coding=utf-8
#
def foo(*args, **kwarg):
for item in args:
print item
for k,v in kwarg.items():
print k,v
print 30*'='
if __name__ == '__main__':
foo(1, 2, 3, a=4, b=5)
foo(2, 3, a=4, b=5, c=1)
輸出如下:
lxg@web-Dev ~/station $ python test_param.py
1
2
3
a 4
b 5
==============================
2
3
a 4
c 1
b 5
==============================
這樣我們可以傳入任意個數(shù)的參數(shù)。
2. unpack參數(shù)
星號*把序列/集合解包(unpack)成位置參數(shù),兩個星號**把字典解包成關鍵字參數(shù)。下面通過示例來進一步加深理解:
#!env python
#coding=utf-8
def foo(*args, **kwarg):
for item in args:
print item
for k,v in kwarg.items():
print k,v
print 30*'='
if __name__ == '__main__':
#foo(1, 2, 3, a=4, b=5)
#foo(2, 3, a=4, b=5, c=1)
v = (1, 2, 4)
v2 = [11, 15, 23]
d = {'a':1, 'b':12}
foo(v, d)
foo(*v, **d)
foo(v2, d)
foo(*v2, **d)
輸出如下:
lxg@web-Dev ~/station $ python test_param.py
(1, 2, 4)
{'a': 1, 'b': 12}
==============================
1
2
4
a 1
b 12
==============================
[11, 15, 23]
{'a': 1, 'b': 12}
==============================
11
15
23
a 1
b 12
==============================
上面的示例中如果v、v2、d沒有加星號那么就當成了一個參數(shù)傳遞給了函數(shù),如果加了星號那么就會解包后傳遞給函數(shù)。foo(*d, **d)等價于foo(1, 2, 4, a=1, b=12)。
3. 幾個注意點
可變位置參數(shù)*args是一個元組,是不可修改的。
>>> def foo(*args):
... args[0] = 5
...
>>> foo(1, 2, 3)
Traceback (most recent call last):
File "", line 1, in
File "", line 2, in foo
TypeError: 'tuple' object does not support item assignment
>>> l = [1, 2, 3]
>>> foo(*l)
Traceback (most recent call last):
File "", line 1, in
File "", line 2, in foo
TypeError: 'tuple' object does not support item assignment
無論我們怎么傳入?yún)?shù),args都是一個tuple類型,不能進行修改。
對于字典類型的如果只使用一個型號*那么傳入的只是字典的鍵。
>>> def foo2(*args, **kwarg):
... print args, kwarg
...
>>> d = {'a':1, 'b':2, 'c':3}
>>> foo2(*d)
('a', 'c', 'b') {}
>>> foo2(**d)
() {'a': 1, 'c': 3, 'b': 2}
總結
以上是生活随笔為你收集整理的python输出星号_Python的星号(*、**)的作用的全部內(nèi)容,希望文章能夠幫你解決所遇到的問題。
- 上一篇: 太像iPhone 四边等宽的Nothin
- 下一篇: 算法 -克鲁斯卡尔算法