6

我有一个系统,我经常(但不是经常)必须在元组中找到下一个项目。我目前正在这样做:

mytuple = (2,6,4,8,7,9,14,3)
currentelement = 4
def f(mytuple, currentelement):
    return mytuple[mytuple.index(currentelement) + 1]
nextelement = f(mytuple, currentelement)

所有元素都是独一无二的,我不拘泥于元组,如果需要,我可以在程序的早期将它改成其他东西。

由于我需要做很多事情,我想知道是否有更有效的方法来做到这一点?

4

2 回答 2

7

在这里使用 dict,dicts 提供O(1)查找,与之相比,list.index它是一个O(N)操作。

这也适用于字符串。

>>> lis = (2,6,4,8,7,9,14,3)
>>> dic = dict(zip(lis, lis[1:]))
>>> dic[4]
8
>>> dic[7]
9
>>> dic.get(100, 'not found') #dict.get can handle key errors
'not found'

创建上述字典的内存高效版本:

>>> from itertools import izip
>>> lis = (2,6,4,8,7,9,14,3)
>>> it1 = iter(lis)
>>> it2 = iter(lis)
>>> next(it2)
2
>>> dict(izip(it1,it2))
{2: 6, 4: 8, 6: 4, 7: 9, 8: 7, 9: 14, 14: 3}
于 2013-06-18T09:25:31.183 回答
1

您可能希望使用字典构建索引:

# The list
>>> lis = (2,6,4,8,7,9,14,3)

# build the index
>>> index = dict(zip(lis, range(len(lis))))
>>> index
{2: 0, 3: 7, 4: 2, 6: 1, 7: 4, 8: 3, 9: 5, 14: 6}

# Retrieve position by using the index
>>> index[6]
1
>>> lis[index[6]+1]
4

如果您的列表随时间变化,您将不得不重建索引。对于内存效率更高的解决方案,您可能更喜欢使用izip`zip̀ 而不是其他答案中建议的那样。

于 2013-06-18T10:05:45.543 回答