从列表列表中获取字符

时间:2015-09-02 04:56:02

标签: python list chars

我有这个例子:

example=[["hello i am adolf","hi my name is "],["this is a test","i like to play"]]

所以,我想获得以下数组:

chars2=[['h', 'e', 'l', 'l', 'o', ' ', 'i', ' ', 'a', 'm', ' ', 'a', 'd', 'o', 'l', 'f','h', 'i', ' ', 'm', 'y', ' ', 'n', 'a', 'm', 'e', ' ', 'i', 's'],['t', 'h', 'i', 's', ' ', 'i', 's', ' ', 'a', ' ', 't', 'e', 's', 't', 'i', ' ', 'l', 'i', 'k', 'e', ' ', 't', 'o', ' ', 'p', 'l', 'a', 'y']]

我试过了:

chars2=[]
for list in example:
    for string in list:
        chars2.extend(string)

但我得到以下内容:

['h', 'e', 'l', 'l', 'o', ' ', 'i', ' ', 'a', 'm', ' ', 'a', 'd', 'o', 'l', 'f', 'h', 'i', ' ', 'm', 'y', ' ', 'n', 'a', 'm', 'e', ' ', 'i', 's', ' ', 't', 'h', 'i', 's', ' ', 'i', 's', ' ', 'a', ' ', 't', 'e', 's', 't', 'i', ' ', 'l', 'i', 'k', 'e', ' ', 't', 'o', ' ', 'p', 'l', 'a', 'y']

2 个答案:

答案 0 :(得分:3)

对于每个list,您需要在chars2中添加另一个列表,目前您只是直接为每个字符扩展chars2。

示例 -

chars2=[]
for list in example:
    a = []
    chars2.append(a)
    for string in list:
        a.extend(string)

示例/演示 -

>>> example=[["hello i am adolf","hi my name is "],["this is a test","i like to play"]]
>>> chars2=[]
>>> for list in example:
...     a = []
...     chars2.append(a)
...     for string in list:
...         a.extend(string)
...
>>> chars2
[['h', 'e', 'l', 'l', 'o', ' ', 'i', ' ', 'a', 'm', ' ', 'a', 'd', 'o', 'l', 'f', 'h', 'i', ' ', 'm', 'y', ' ', 'n', 'a', 'm', 'e', ' ', 'i', 's', ' '], ['t', 'h', 'i', 's', ' ', 'i', 's', ' ', 'a', ' ', 't', 'e', 's', 't', 'i', ' ', 'l', 'i', 'k', 'e', ' ', 't', 'o', ' ', 'p', 'l', 'a', 'y']]

答案 1 :(得分:1)

尝试使用简单的列表理解

example = [list(item) for sub in example for item in sub]