我有一个小脚本,从python中的给定字符生成一个单词列表。但是在执行后总会得到一个MemoryError。为什么它存储在ram中?有没有更好的代码方法不使用ram而是提供工作输出?
from itertools import product
chars = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'j', 'k',
'm', 'n', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w',
'x', 'y', 'z', 'A', 'B', 'C', 'D', 'E', 'F', 'G',
'H', 'J', 'K', 'L', 'M', 'N', 'P', 'Q', 'R', 'S',
'T', 'U', 'V', 'W', 'X', 'Y', 'Z', '1', '2', '3',
'4', '5', '6', '7', '8', '9']
length = 8
result = ["".join(item) for item in product(*[chars]*length)]
for item in result:
print(item)
答案 0 :(得分:10)
通过在生成器周围放置方括号,您可以告诉Python将其转换为内存中的实际列表。你不是真的需要一次所有元素,是吗?
相反,将方括号转换为括号,Python会将其保留为生成器,只有在请求时才会生成项目:
>>> ("".join(item) for item in product(*[chars]*length))
<generator object <genexpr> at 0x2d9cb40>
>>> ["".join(item) for item in product(*[chars]*length)]
[1] 3245 killed ipython2
查看string
模块。它有一堆有用的常量:
import string
from itertools import product
chars = string.letters + string.digits
length = 8
result = (''.join(item) for item in product(*[chars], repeat=length))
for item in result:
print(item)