我需要以最快的方式从数据框中拼接字符串,然后创建一个主列表。
给定以下数据框:
import pandas as pd
d=['Hello', 'Helloworld']
f=pd.DataFrame({'strings':d})
f
strings
0 Hello
1 Helloworld
我想生成一个列表带瓦的字符串(长度为 3),如下所示:(包括所有可能的 3 字母组合。)
[['Hel', 'ell', 'llo'],['Hel', 'ell', 'llo', 'low', 'owo', 'wor', 'orl', 'rld']]
...以及所有唯一值的主列表,如下所示:
['wor', 'Hel', 'ell', 'owo', 'llo', 'rld', 'orl', 'low']
我可以这样做,但我怀疑有一种更快的方法:
#Shingle into strings of exactly 3
def shingle(word):
r = [word[i:i + 3] for i in range(len(word) - 3 + 1)]
return [''.join(t) for t in r]
#Shingle (i.e. "hello" -> "hel","ell",'llo')
r=[shingle(w) for w in f['strings']]
#Get all elements into one list:
import itertools
colsunq=list(itertools.chain.from_iterable(r))
#Remove duplicates:
colsunq=list(set(colsunq))
colsunq
['wor', 'Hel', 'ell', 'owo', 'llo', 'rld', 'orl', 'low']
提前致谢!