我如何创建一个字母字符列表,而不这样手动做?
['a', 'b', 'c', 'd', ..., 'z']
我如何创建一个字母字符列表,而不这样手动做?
['a', 'b', 'c', 'd', ..., 'z']
当前回答
如果你正在寻找R中[1:10]的等价字母,你可以使用:
import string
list(string.ascii_lowercase[0:10])
其他回答
>>> import string
>>> string.ascii_lowercase
'abcdefghijklmnopqrstuvwxyz'
>>> list(string.ascii_lowercase)
['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']
或者,使用range:
>>> list(map(chr, range(97, 123)))
['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']
或者说:
>>> list(map(chr, 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']
其他有用的字符串模块特性:
>>> help(string)
....
DATA
ascii_letters = 'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
ascii_lowercase = 'abcdefghijklmnopqrstuvwxyz'
ascii_uppercase = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
digits = '0123456789'
hexdigits = '0123456789abcdefABCDEF'
octdigits = '01234567'
printable = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ!"#$%&\'()*+,-./:;<=>?@[\\]^_`{|}~ \t\n\r\x0b\x0c'
punctuation = '!"#$%&\'()*+,-./:;<=>?@[\\]^_`{|}~'
whitespace = ' \t\n\r\x0b\x0c'
在Python 2.7和3中,你可以使用这个:
import string
string.ascii_lowercase
'abcdefghijklmnopqrstuvwxyz'
string.ascii_uppercase
'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
正如@Zaz所说: 字符串。小写字母已弃用,在python3中不再适用,只适用于字符串。Ascii_lowercase在这两种情况下都适用
这是我能想到的最简单的方法:
#!/usr/bin/python3
for i in range(97, 123):
print("{:c}".format(i), end='')
因此,97到122是等价于'a'到和'z'的ASCII数字。注意小写字母和需要输入123,因为它将不包括在内)。
在print函数中,确保设置了{:c}(字符)格式,并且,在这种情况下,我们希望它将所有内容一起打印,甚至不允许在末尾添加新行,因此end= "将完成这项工作。
结果是: abcdefghijklmnopqrstuvwxyz
下面是一个简单的字母范围实现:
Code
def letter_range(start, stop="{", step=1):
"""Yield a range of lowercase letters."""
for ord_ in range(ord(start.lower()), ord(stop.lower()), step):
yield chr(ord_)
Demo
list(letter_range("a", "f"))
# ['a', 'b', 'c', 'd', 'e']
list(letter_range("a", "f", step=2))
# ['a', 'c', 'e']
[chr(i) for i in range(ord('a'),ord('z')+1)]