《摘自流畅的Python》 此书真乃宝书也,虽说还是有点儿没懂
从定位参数到仅限关键字参数
Python最好的特性之一是提供了极为灵活的参数处理机制,而且Python3进一步提供了仅限关键字参数(keyword-only argument)。与之密切相关的是,调用函数时使用*和**“展开”可迭代对象,映射到单个参数。下面实例中代码展示这些特性,实际使用在第二个例子中。
[例5-11] tag函数用于生成HTML标签,使用名为cls
的关键字参数传入“class”属性,这是一种变通方法,因为“class”是Python的关键字:
def tag(name, *content, cls=None, **attrs):
"""
生成一个或多个HTML标签
"""
if cls is not None:
attrs['class'] = cls
if attrs:
attr_str = ''.join('%s="%s"' % (attr, value)
for attr, value
in sorted(attrs.items()))
else:
attr_str = ''
if content:
return '\n'.join('<%s%s>%s</%s>' %
(name, attr_str, c, name) for c in content)
else:
return '<%s%s />' % (name, attr_str)
复制代码
tag 函数的调用方式很多,例子如下:
>>> tag('br') # 传入单个参数,生成一个指定名称的空标签
'<br />'
>>> tag('p', 'hello') # 第一个参数后面的任意个参数会被*content捕获,存到一个数组
'<p>hello</p>'
>>> print(tag('p', 'hello', 'world'))
<p>hello</p>
<p>world</p>
>>> tag('p', 'hello', id=33)
'<p id=33>hello</p>'
>>> # tag函数签名中没有明确指定名称的关键字参数会被**attrs捕获,存入字典
>>> print(tag('p', 'hello', 'world', cls='sidebar')) # cls参数只能作为关键字参数传入
<p class='sidebar'>hello</p>
<p class='sidebar'>world</p>
>>> tag(content='testing', name='img') # 调用tag函数,即便第一个定位参数也能作为关键字参数传入
'<img content="testing", name="img">'
>>> # 在 my_tag 前面加上**, 字典中的所有元素作为单个参数传入,
>>> # 同名键会绑定到对应的参数具体参数上,其余的则被**attrs 捕获
>>> my_tag = {'name':'img', 'title':'Sunset Boulevard',
... 'src':'sunset.jpg', 'cls':'framed'}
>>> tag(**my_tag)
'<img class="framed" src="sunset.jpg", title="Sunset Boulevard" />'
复制代码
仅限关键字参数是Python3新增的特性,在上例中,cls
参数只能通过关键字参数指定,它一定不会捕获未命名的定位参数。定义函数时若想指定仅限关键字参数,要把它们放到前面*的参数后面。如果不想支持数量不定的定位参数,但是想支持仅限关键字参数,在签名后面放一个*,如下所示:
>>> def f(a, *, b):
... return a, b
>>> f(1, b=2)
(1, 2)
复制代码
注意,仅限关键字参数不一定要有默认值,可以像上例中的b一样,强制必须传入实参。
接下来说明函数参数的内省,以一个Web框架中的实例为引子,接着讨论内省。