为什么列表没有像字典一样安全的“获取”方法?

>>> 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

当前回答

这不是一个非常通用的解决方案,但我有一个情况,我需要一个长度为3到5的列表(有一个保护if),并且我将值分解为命名变量。我找到了一个简单而简洁的方法:

foo = (argv + [None, None])[3]
bar = (argv + [None, None])[4]

现在foo和bar是列表中的第4和第5个值,如果没有那么多值,则为None。

其他回答

您的用例基本上只与处理固定长度的数组和矩阵相关,以便您事先知道它们有多长。在这种情况下,通常还需要在手动填充None或0之前创建它们,这样实际上您将使用的任何索引都已经存在。

你可以说:我经常需要在字典上查找.get()。在做了十年的全职程序员之后,我认为我不需要把它列在清单上。:)

Ultimately it probably doesn't have a safe .get method because a dict is an associative collection (values are associated with names) where it is inefficient to check if a key is present (and return its value) without throwing an exception, while it is super trivial to avoid exceptions accessing list elements (as the len method is very fast). The .get method allows you to query the value associated with a name, not directly access the 37th item in the dictionary (which would be more like what you're asking of your list).

当然,你可以很容易地实现自己:

def safe_list_get (l, idx, default):
  try:
    return l[idx]
  except IndexError:
    return default

你甚至可以monkeypatch它到__builtins__。__main__中的列表构造函数,但这将是一个不太普遍的变化,因为大多数代码不使用它。如果你只是想用你自己的代码创建的列表使用这个,你可以简单地子类list并添加get方法。

所以我对此做了更多的研究,结果是没有什么特别的东西。当我找到list.index(value)时,我很兴奋,它返回指定项的索引,但没有任何东西用于获取特定索引的值。如果你不想使用safe_list_get解决方案,我认为这很好。下面是一些if语句,它们可以根据场景帮助你完成工作:

>>> x = [1, 2, 3]
>>> el = x[4] if len(x) > 4 else 'No'
>>> el
'No'

你也可以用None来代替No,这样更有意义。

>>> x = [1, 2, 3]
>>> i = 2
>>> el_i = x[i] if len(x) == i+1 else None

同样,如果您只想获取列表中的第一项或最后一项,也可以这样做

end_el = x[-1] if x else None

你也可以把它们变成函数,但是我仍然喜欢IndexError异常解决方案。我尝试了safe_list_get解决方案的简化版本,并使其更简单(没有默认值):

def list_get(l, i):
    try:
        return l[i]
    except IndexError:
        return None

还没有基准测试,看看什么是最快的。

对于较小的索引值,您可以实现

my_list。get(指数(默认)

as

(my_list + [default] * (index + 1))[index]

如果你事先知道下标是什么,那么这个可以简化,例如,如果你知道它是1,那么你可以这样做

(my_list + [default, default])[index]

因为列表是向前打包的,所以我们需要担心的唯一失败情况是运行到列表的末尾。这种方法用足够的默认值填充列表的末尾,以确保索引被覆盖。

字典是用来查资料的。询问条目是否存在是有意义的。列表通常是迭代的。通常不会问L[10]是否存在,而是问L的长度是否为11。