代码之家  ›  专栏  ›  技术社区  ›  Abhishek Thakur

根据列表中的顺序查找单词组合

  •  -1
  • Abhishek Thakur  · 技术社区  · 7 年前

    我有一个单词列表,如下所示:

    [w1, w2, w3, w4] (N字)。

    我想得到的是从左开始的组合:

    w1, w1w2, w1w2w3, w1w2w3w4, w2, w2w3, w2w3w4, w3, w3w4, w4
    

    有没有类似蟒蛇的方法?

    4 回复  |  直到 7 年前
        1
  •  6
  •   user2390182    7 年前

    您可以使用嵌套理解

    l = ['1', '2', '3', '4']
    [''.join(l[x:y]) for x in range(len(l)) for y in range(x + 1, len(l) + 1)]
    # ['1', '12', '123', '1234', '2', '23', '234', '3', '34', '4']
    

    或者你可以使用 itertools.combinations 缩短它

    from itertools import combinations
    [''.join(l[x:y]) for x, y in combinations(range(len(l) + 1), 2)]
    # or to get lists:
    [l[x:y] for x, y in combinations(range(len(l) + 1), 2)]
    
        2
  •  1
  •   Van Peer    7 年前

    还有一种方法。。。

    l1 = ['w1', 'w2', 'w3', 'w4']
    str = ''
    i=0
    
    while i < len(l1):
        str=''
        for j in range(i,len(l1)):
            str+= l1[j]
            print(str)
        i+=1
    

    输出

    w1
    w1w2
    w1w2w3
    w1w2w3w4
    w2
    w2w3
    w2w3w4
    w3
    w3w4
    w4
    
        3
  •  0
  •   Nir Alfasi    7 年前

    words = ['w1', 'w2', 'w3', 'w4']
    for i in range(len(words)):
        for j in range(i, len(words)):
            print("".join(words[i:j+1])) # take all the words between i and j and concatenate them
    

    输出

    w1
    w1w2
    w1w2w3
    w1w2w3w4
    w2
    w2w3
    w2w3w4
    w3
    w3w4
    w4
    
        4
  •  0
  •   RomanPerekhrest    7 年前

    itertools.accumulate() 方法:

    import itertools
    
    l = ['w1', 'w2', 'w3', 'w4']
    result = [s for i in range(len(l)) for s in itertools.accumulate(l[i:], lambda t,w: t + w)]
    
    print(result)
    

    输出:

    ['w1', 'w1w2', 'w1w2w3', 'w1w2w3w4', 'w2', 'w2w3', 'w2w3w4', 'w3', 'w3w4', 'w4']