加入列表中的元素对 - Python

时间:2011-05-01 20:03:23

标签: python string list join

我知道列表可以连接成一个长字符串,如:

x = ['a', 'b', 'c', 'd']
print ''.join(x)

显然这会输出:

'abcd'

但是,我想要做的只是加入列表中的第一个和第二个字符串,然后加入第三个和第四个,依此类推。简而言之,从上面的例子中取而代之的是输出:

['ab', 'cd']

有没有简单的方法可以做到这一点?我还应该提到列表中字符串的长度是不可预测的,列表中的字符串数也是如此,尽管字符串的数量总是均匀的。所以原始列表也可以是:

['abcd', 'e', 'fg', 'hijklmn', 'opq', 'r'] 

6 个答案:

答案 0 :(得分:72)

您可以在步骤中使用切片表示法:

>>> x = "abcdefghijklm"
>>> x[0::2] #0. 2. 4...
'acegikm'
>>> x[1::2] #1. 3. 5 ..
'bdfhjl'
>>> [i+j for i,j in zip(x[::2], x[1::2])] # zip makes (0,1),(2,3) ...
['ab', 'cd', 'ef', 'gh', 'ij', 'kl']

同样的逻辑也适用于列表。字符串长度无关紧要,因为你只需要将两个字符串加在一起。

答案 1 :(得分:31)

使用迭代器。

列表理解:

>>> si = iter(['abcd', 'e', 'fg', 'hijklmn', 'opq', 'r'])
>>> [c+next(si, '') for c in si]
['abcde', 'fghijklmn', 'opqr']
  • 内存使用效率非常高。
  • 正好一次遍历s

生成器表达式:

>>> si = iter(['abcd', 'e', 'fg', 'hijklmn', 'opq', 'r'])
>>> pair_iter = (c+next(si, '') for c in si)
>>> pair_iter # can be used in a for loop
<generator object at 0x4ccaa8>
>>> list(pair_iter) 
['abcde', 'fghijklmn', 'opqr']
  • 用作迭代器

使用map,str .__ add__,iter

>>> si = iter(['abcd', 'e', 'fg', 'hijklmn', 'opq', 'r'])
>>> map(str.__add__, si, si)
['abcde', 'fghijklmn', 'opqr']

next(iterator[, default])从Python 2.6开始可用

答案 2 :(得分:4)

只是为了pythonic: - )

>>> x = ['a1sd','23df','aaa','ccc','rrrr', 'ssss', 'e', '']
>>> [x[i] + x[i+1] for i in range(0,len(x),2)]
['a1sd23df', 'aaaccc', 'rrrrssss', 'e']

如果您想要在列表长度为奇数时感到惊慌,您可以尝试:

[x[i] + x[i+1] if not len(x) %2 else 'odd index' for i in range(0,len(x),2)]

最好的运气

答案 3 :(得分:2)

不建立临时名单:

>>> import itertools
>>> s = 'abcdefgh'
>>> si = iter(s)
>>> [''.join(each) for each in itertools.izip(si, si)]
['ab', 'cd', 'ef', 'gh']

或:

>>> import itertools
>>> s = 'abcdefgh'
>>> si = iter(s)
>>> map(''.join, itertools.izip(si, si))
['ab', 'cd', 'ef', 'gh']

答案 4 :(得分:1)

>>> lst =  ['abcd', 'e', 'fg', 'hijklmn', 'opq', 'r'] 
>>> print [lst[2*i]+lst[2*i+1] for i in range(len(lst)/2)]
['abcde', 'fghijklmn', 'opqr']

答案 5 :(得分:1)

好吧,我会这样做,因为我对Regs不好......

<强> CODE

t = '1. eat, food\n\
7am\n\
2. brush, teeth\n\
8am\n\
3. crack, eggs\n\
1pm'.splitlines()

print [i+j for i,j in zip(t[::2],t[1::2])]

输出

['1. eat, food   7am', '2. brush, teeth   8am', '3. crack, eggs   1pm']  

希望这会有所帮助:)