在 perl 中,要获取从“a”到“azc”的所有字符串的列表,唯一要做的就是使用范围运算符:
perl -le 'print "a".."azc"'
我想要的是一个字符串列表:
["a", "b", ..., "z", "aa", ..., "az" ,"ba", ..., "azc"]
我想我可以使用
ord
和 chr
,一遍又一遍地循环,这很容易从“a”到“z”,例如:>>> [chr(c) for c in range(ord("a"), ord("z") + 1)]
['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z']
但对于我的情况,这里有点复杂。
谢谢你的帮助 !
最佳答案
生成器版本:
from string import ascii_lowercase
from itertools import product
def letterrange(last):
for k in range(len(last)):
for x in product(ascii_lowercase, repeat=k+1):
result = ''.join(x)
yield result
if result == last:
return
编辑: @ihightower 在评论中提问:
所以你想从
'a'
以外的东西开始。只需丢弃起始值之前的任何内容:def letterrange(first, last):
for k in range(len(last)):
for x in product(ascii_lowercase, repeat=k+1):
result = ''.join(x)
if first:
if first != result:
continue
else:
first = None
yield result
if result == last:
return
关于python - 相当于 perl "a"的 python 是什么。 ."azc",我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/3264271/