有谁能告诉我为什么括号加倍?
self.__items.append((module, item))
答案 0 :(得分:12)
内括号创建tuple。
>>> type(('a', 'b'))
<type 'tuple'>
从技术上讲,可以创建没有括号的元组:
>>> 'a', 'b'
('a', 'b')
但有时他们需要括号:
>>> 'a', 'b' + 'c', 'd'
('a', 'bc', 'd')
>>> ('a', 'b') + ('c', 'd')
('a', 'b', 'c', 'd')
在您的情况下,他们需要括号来区分元组和逗号分隔的参数到函数。例如:
>>> def takes_one_arg(x):
... return x
...
>>> takes_one_arg('a', 'b')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: takes_one_arg() takes exactly 1 argument (2 given)
>>> takes_one_arg(('a', 'b'))
('a', 'b')
答案 1 :(得分:7)
它将元组(module, item)
作为单个参数传递给函数。如果没有额外的parens,它会将module
和item
作为单独的参数传递。
答案 2 :(得分:2)
这与说法完全相同:
parameter = (module, item)
self.__items.append(parameter)
即。在将元组用作append()
的单个参数之前,内部的parens首先创建一个元组。