我的代码中的一个常见模式是:“搜索一个列表,直到找到一个特定元素,然后查看它之前和之后的元素。”
例如,我可能想查看一个日志文件,其中重要事件标有星号,然后提取重要事件的上下文。
在下面的例子中,我想知道超光速引擎爆炸的原因:
Spinning up the hyperdrive
Hyperdrive speed 100 rpm
Hyperdrive speed 200 rpm
Hyperdrive lubricant levels low (100 gal.)
* CRITICAL EXISTENCE FAILURE
Hyperdrive exploded
我想要一个函数 ,get_item_with_context()
它允许我找到带星号的第一行,然后给我n
它前面的行和它m
后面的行。
我的尝试如下:
import collections, itertools
def get_item_with_context(predicate, iterable, items_before = 0, items_after = 0):
# Searches through the list of `items` until an item matching `predicate` is found.
# Then return that item.
# If no item matching predicate is found, return None.
# Optionally, also return up to `items_before` items preceding the target, and
# `items after` items after the target.
#
# Note:
d = collections.deque (maxlen = items_before + 1 + items_after)
iter1 = iterable.__iter__()
iter2 = itertools.takewhile(lambda x: not(predicate(x)), iter1)
d.extend(iter2)
# zero-length input, or no matching item
if len(d) == 0 or not(predicate(d[-1])):
return None
# get context after match:
try:
for i in xrange(items_after):
d.append(iter1.next())
except StopIteration:
pass
if ( items_before == 0 and items_after == 0):
return d[0]
else:
return list(d)
用法应该是这样的:
>>> get_item_with_context(lambda x: x == 3, [1,2,3,4,5,6],
items_before = 1, items_after = 1)
[2, 3, 4]
这方面的问题:
- 检查以确保我们确实找到了匹配项,使用
not(predicate(d[-1]))
, 由于某种原因不起作用。它总是返回假。 - 如果找到匹配项后列表中的项少于
items_after
项,则结果是垃圾。 - 其他边缘情况?
我能否就如何使这项工作/使其更强大提供一些建议?或者,如果我正在重新发明轮子,也请随时告诉我。