24

Python中是否有内置方法/模块来生成字母,例如内置常量LETTERS或R中的字母常量?

R 内置常量的作用就像letters[n]生成n = 1:26字母表的小写字母一样。

谢谢。

4

4 回答 4

30

它被称为string.ascii_lowercase

如果你想选择n 个随机的小写字母,那么:

from string import ascii_lowercase
from random import choice

letters = [choice(ascii_lowercase) for _ in range(5)]

如果你想要它作为一个字符串,而不是一个列表,那么使用str.join

letters = ''.join([choice(ascii_lowercase) for _ in range(5)])
于 2012-10-11T08:50:35.123 回答
17

您可以map按以下方式使用:

>>> map(chr, range(65, 91))
['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']
>>> 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']
>>> a = map(chr, range(65, 70))
>>> a
['A', 'B', 'C', 'D', 'E']
于 2012-10-11T08:55:09.367 回答
6

通过上面的列表推导和参考,还有另一种方法:

>>> [chr(x) for x in 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']
于 2017-08-07T12:55:15.953 回答
2

另一种方法可以直接给你一个字符串:

>>> bytearray(range(97,123)).decode("utf-8")
u'abcdefghijklmnopqrstuvwxyz'

(它适用于python2和python3,当然如果它是python 3,u前缀将不可见)

如果这是您喜欢的,您显然可以将该字符串转换为其他答案中的列表,例如:

>>> [x for x in bytearray(range(97,123)).decode("utf-8")]
['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']

将其更改为选择 n 个随机字母也很容易(允许重复):

>>> import random
>>> n = 10
>>> bytearray(random.randint(97, 122) for x in range(n)).decode('utf-8')
'qdtdlrqidx'

或不重复:

>>> import random
>>> n = 10
>>> bytearray(random.sample(range(97, 123),n)).decode('utf-8')
'yjaifemwbr'
于 2019-11-05T23:07:29.703 回答