繁体   English   中英

根据值和规则拆分整数列表的更好方法

[英]Better way to split list of integers based on values and rules

目标是根据以下规则根据每个元素的邻居拆分整数列表:

  • (当前/焦点值小于或等于前一个)和(当前值等于下一个),即prev_value >= focal_value == next_value

  • (当前值小于上一个)和(当前值小于下一个),即prev_value > focal_value < next_value

为了说明,给定x产生y

x = (1, 4, 2, 1, 4, 2, 4, 1, 4, 1, 4, 4, 3)
y = [[1, 4, 2], [1, 4], [2, 4], [1, 4], [1, 4, 4, 3]]
assert func(x) == y

我试过了:

def per_window(sequence, n=1):
    """
    From http://stackoverflow.com/q/42220614/610569
        >>> list(per_window([1,2,3,4], n=2))
        [(1, 2), (2, 3), (3, 4)]
        >>> list(per_window([1,2,3,4], n=3))
        [(1, 2, 3), (2, 3, 4)]
    """
    start, stop = 0, n
    seq = list(sequence)
    while stop <= len(seq):
        yield tuple(seq[start:stop])
        start += 1
        stop += 1


def func(x):
    result = []
    sub_result = [x[0]]
    for prev_value, focal_value, next_value in per_window(x, 3):
        # These if and elif cases trigger syllable break.
        if prev_value >= focal_value == next_value:
            sub_result.append(focal_value)
            result.append(sub_result)
            sub_result = []
        elif prev_value > focal_value < next_value:
            result.append(sub_result)
            sub_result = []
            sub_result.append(focal_value)
        else: # no  break
            sub_result.append(focal_value)
    sub_result.append(next_value)
    result.append(sub_result)
    return result


x = (1, 4, 2, 1, 4, 2, 4, 1, 4, 1, 4, 4, 3)
y = [[1, 4, 2], [1, 4], [2, 4], [1, 4], [1, 4, 4, 3]]

assert func(x) == y

但我的问题是:

  • 如果我们仔细查看 if 和 elif “cases”,看起来第一个 if 永远不会被捕获,因为第二个 if 会先到达。 那正确吗? 第一个if案例将启动的示例有哪些?

  • 有没有更好的方法来实现基于规则拆分子列表的相同目标?

  • 最后两个附加需要存在于per_window的循环per_window ,这些扼杀者叫什么? 有没有办法循环而不这样做?

  1. 以你的例子,第一个 if 永远不会被触发。 但它将使用此示例数据:

     x = (5 ,4, 4, 2) y = [[5, 4], [4, 2]]
  2. 更好是相当主观的。 但是可以在不使用窗口的情况下达到相同的目标,只需通过移动值

    def func2(x): x = iter(x) try: prev_value = next(x) focal_value = next(x) except StopIteration: return [list(x)] sub_result = [prev_value] result = [sub_result] for next_value in x: if prev_value >= focal_value == next_value: sub_result.append(focal_value) sub_result = [] result.append(sub_result) elif prev_value > focal_value < next_value: sub_result = [focal_value] result.append(sub_result) else: sub_result.append(focal_value) prev_value, focal_value = focal_value, next_value sub_result.append(focal_value) return result

    timeit说它快两倍多

  3. 一旦您持有循环中的最后一个值,您就必须在循环后为其添加特殊处理。 但是我的代码显示可以在循环内附加sub_result列表。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM