用于Python的list.index()函数,在没有找到任何内容时不会抛出异常

时间:2011-11-19 21:03:02

标签: python

如果项目不存在,Python的list.index(x)会抛出异常。有没有更好的方法来做到这一点,不需要处理异常?

9 个答案:

答案 0 :(得分:72)

如果您不关心匹配元素的位置,请使用:

found = x in somelist

如果您关心,请使用LBYL样式和conditional expression

i = somelist.index(x) if x in somelist else None

答案 1 :(得分:5)

为列表实现自己的索引?

class mylist(list):
  def index_withoutexception(self,i):
    try:
        return self.index(i)
    except:
        return -1

因此,您可以使用list,并使用index2,在出现错误时返回您想要的内容。

你可以像这样使用它:

  l = mylist([1,2,3,4,5]) # This is the only difference with a real list
  l.append(4) # l is a list.
  l.index_withoutexception(19) # return -1 or what you want

答案 2 :(得分:3)

编写一个能够满足您需求的功能:

def find_in_iterable(x, iterable):
    for i, item in enumerate(iterable):
        if item == x:
            return i
    return None

如果您只需知道该项目是否存在而不是索引,则可以使用in

x in yourlist

答案 3 :(得分:2)

是的,有。你可以,例如。做类似的事情:

test = lambda l, e: l.index(e) if e in l else None

就是这样的:

>>> a = ['a', 'b', 'c', 'g', 'c']
>>> test(a, 'b')
1
>>> test(a, 'c')
2
>>> test(a, 't')
None

所以,基本上,test() 将返回给定列表(第一个参数)中元素的索引(第二个参数),除非找不到 (在这种情况下,它将返回None,但它可以是您认为合适的任何内容。

答案 4 :(得分:2)

TL; DR:例外是您的朋友,也是所述问题的最佳方法。

OP在评论中澄清说,对于他们的用例,知道索引是什么并不重要。如接受的答案所述,如果您不在乎,使用x in somelist是最好的答案。

但我会假设,正如原始问题所暗示的,你关心索引是什么。在这种情况下,我会注意到所有其他解决方案都需要扫描列表两次,这会带来很大的性能损失。

此外,正如古老的雷蒙德·海廷格(Raymond Hettinger)在评论中写道的那样

  

即使我们返回-1的list.find,你仍然需要测试i == -1并进行一些操作。

因此,我将在原始问题中推迟假设应避免例外。我建议例外是你的朋友。他们没什么好害怕的,他们效率低下,事实上你需要熟悉他们才能编写好的代码。

所以我认为最好的答案是简单地使用try-except方法:

try: i = somelist.index(x) except ValueError: # deal with it

" 处理它"只是意味着做你需要做的事情:将i设置为sentinel值,引发你自己的异常,跟随不同的代码分支等。

答案 5 :(得分:1)

如果你不关心它在序列中的位置,只关注它的存在,那么使用in运算符。否则,编写一个重构异常处理的函数。

def inlist(needle, haystack):
  try:
    return haystack.index(needle)
  except ...:
    return -1

答案 6 :(得分:1)

希望这会有所帮助

lst= ','.join('qwerty').split(',') # create list
i='a'  #srch string
lst.index(i) if i in lst else None

答案 7 :(得分:0)

我喜欢使用在其胶子包的存储模块中找到的Web2py's 列表类。存储模块提供类似列表(List)和类似字典(存储)的数据结构,在未找到元素时不会引发错误。

首先下载web2py's source,然后将胶子包文件夹复制粘贴到python安装的site-packages中。

现在尝试一下:

>>> from gluon.storage import List
>>> L = List(['a','b','c'])
>>> print L(2)
c
>>> print L(3) #No IndexError!
None

注意,它也可以像常规列表一样:

>>> print L[3]

Traceback (most recent call last):
File "<pyshell#4>", line 1, in <module>
l[3]
IndexError: list index out of range

答案 8 :(得分:-1)

没有内置的方法可以做你想做的事。

这是一篇可以帮助您的好帖子:Why list doesn't have safe "get" method like dictionary?