为什么带负索引的sys.argv允许打印与sys.argv [0]相同的值?同样,它允许最多传递的参数数量。
因此,在developers.google.com上调用hello.py,例如下面的那个(包括3个参数,包括脚本名称):python hello.py Sumit Test
允许访问sys.argv [-1],[ - 2]和[-3],所有这些都打印与argv [0]相同的值,即hello.py,但argv [-4]将抛出预期错误:
Traceback (most recent call last):
File "hello.py", line 35, in <module>
main()
File "hello.py", line 31, in main
print (sys.argv[-4])
IndexError: list index out of range
代码是:
import sys
# Define a main() function that prints a little greeting.
def main():
# Get the name from the command line, using 'World' as a fallback.
if len(sys.argv) >= 2:
name = sys.argv[1]
else:
name = 'World'
print ('Hello', name)
print (sys.argv[-3])
# This is the standard boilerplate that calls the main() function.
if __name__ == '__main__':
main()
答案 0 :(得分:3)
因为您只传递三个参数,所以下面的示例可以帮助您理解:
>>> [1,2,3][-1] # working
3
>>> [1,2,3][-2] # working
2
>>> [1,2,3][-3] # working
1
>>> [1,2,3][-4] # exception as in your code
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
IndexError: list index out of range
负指数从右侧打印一个值。
Accessing Lists
例如,我们的数组/列表的大小为 n ,那么对于正数索引0
是第一个索引,1
第二个和最后一个索引将是n-1
。对于负数索引,-n
是第一个索引,-(n-1)
秒,最后一个负索引将是–1
。
根据您的评论,我正在添加一个澄清的例子:
import sys
# main()
if __name__ == "__main__":
print len(sys.argv)
print sys.argv[-1], sys.argv[-2], sys.argv[-3]
print sys.argv[0], sys.argv[1], sys.argv[2]
请观察输出:
$ python main.py one two
3
two one main.py
main.py one two
传递的参数数量为3。 argv[-1]
是最后一个参数,即two
答案 1 :(得分:1)
负面索引从列表末尾开始计算:
>>> ['a', 'b', 'c'][-1]
'c'
>>> ['a', 'b', 'c'][-2]
'b'
>>> ['a', 'b', 'c'][-3]
'a'
要求[-4]将从列表的末尾开始,给出例外。