为什么列表没有像字典一样安全的“获取”方法?
>>> d = {'a':'b'}
>>> d['a']
'b'
>>> d['c']
KeyError: 'c'
>>> d.get('c', 'fail')
'fail'
>>> l = [1]
>>> l[10]
IndexError: list index out of range
为什么列表没有像字典一样安全的“获取”方法?
>>> d = {'a':'b'}
>>> d['a']
'b'
>>> d['c']
KeyError: 'c'
>>> d.get('c', 'fail')
'fail'
>>> l = [1]
>>> l[10]
IndexError: list index out of range
当前回答
你可以做的一件合理的事情是将列表转换为字典,然后用get方法访问它:
>>> my_list = ['a', 'b', 'c', 'd', 'e']
>>> my_dict = dict(enumerate(my_list))
>>> print my_dict
{0: 'a', 1: 'b', 2: 'c', 3: 'd', 4: 'e'}
>>> my_dict.get(2)
'c'
>>> my_dict.get(10, 'N/A')
其他回答
你可以做的一件合理的事情是将列表转换为字典,然后用get方法访问它:
>>> my_list = ['a', 'b', 'c', 'd', 'e']
>>> my_dict = dict(enumerate(my_list))
>>> print my_dict
{0: 'a', 1: 'b', 2: 'c', 3: 'd', 4: 'e'}
>>> my_dict.get(2)
'c'
>>> my_dict.get(10, 'N/A')
您的用例基本上只与处理固定长度的数组和矩阵相关,以便您事先知道它们有多长。在这种情况下,通常还需要在手动填充None或0之前创建它们,这样实际上您将使用的任何索引都已经存在。
你可以说:我经常需要在字典上查找.get()。在做了十年的全职程序员之后,我认为我不需要把它列在清单上。:)
这要归功于乔斯·安吉尔·希门尼斯和古斯·巴斯。
对于“在线”的粉丝们…
如果你想要列表的第一个元素,或者如果你想要一个默认值,如果列表是空的,尝试:
liste = ['a', 'b', 'c']
value = (liste[0:1] or ('default',))[0]
print(value)
返回一个
and
liste = []
value = (liste[0:1] or ('default',))[0]
print(value)
返回默认
其他元素的例子…
liste = ['a', 'b', 'c']
print(liste[0:1]) # returns ['a']
print(liste[1:2]) # returns ['b']
print(liste[2:3]) # returns ['c']
print(liste[3:4]) # returns []
默认的回退…
liste = ['a', 'b', 'c']
print((liste[0:1] or ('default',))[0]) # returns a
print((liste[1:2] or ('default',))[0]) # returns b
print((liste[2:3] or ('default',))[0]) # returns c
print((liste[3:4] or ('default',))[0]) # returns default
可能短:
liste = ['a', 'b', 'c']
value, = liste[:1] or ('default',)
print(value) # returns a
看起来你需要在等号前加逗号,等号和后面的括号。
更普遍的:
liste = ['a', 'b', 'c']
f = lambda l, x, d: l[x:x+1] and l[x] or d
print(f(liste, 0, 'default')) # returns a
print(f(liste, 1, 'default')) # returns b
print(f(liste, 2, 'default')) # returns c
print(f(liste, 3, 'default')) # returns default
使用Python 3.6.0进行测试(v3.6.0:41df79263a11, Dec 22 2016, 17:23:13)
不要使用.get,像这样使用列表应该是可以的。只是用法上的不同。
>>> l = [1]
>>> l[10] if 10 < len(l) else 'fail'
'fail'
字典是用来查资料的。询问条目是否存在是有意义的。列表通常是迭代的。通常不会问L[10]是否存在,而是问L的长度是否为11。