web-dev-qa-db-fra.com

Plage alphabétique sur Python

Au lieu de faire une liste de l'alphabet comme ceci:

alpha = ['a', 'b', 'c', 'd'.........'z']

Existe-t-il un moyen de le regrouper dans une plage ou quelque chose? Par exemple, pour les nombres, il peut être groupé avec range()

range(1, 10)
339
Alexa Elis
>>> import string
>>> string.ascii_lowercase
'abcdefghijklmnopqrstuvwxyz'

Si vous avez vraiment besoin d'une liste:

>>> 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']

Et le faire avec range

>>> list(map(chr, range(97, 123))) #or 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']

Autres fonctionnalités utiles du module string:

>>> help(string) # on Python 3
....
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'
613
jamylak
[chr(i) for i in range(ord('a'),ord('z')+1)]
92
Bg1850

Dans Python 2.7 et 3, vous pouvez utiliser ceci:

import string
string.ascii_lowercase
'abcdefghijklmnopqrstuvwxyz'

string.ascii_uppercase
'ABCDEFGHIJKLMNOPQRSTUVWXYZ'

Comme @Zaz dit: string.lowercase est obsolète et ne fonctionne plus dans Python 3 mais string.ascii_lowercase fonctionne dans les deux

25
Trinh Nguyen

Voici une implémentation simple de la plage de lettres:

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_)

démo

list(letter_range("a", "f"))
# ['a', 'b', 'c', 'd', 'e']

list(letter_range("a", "f", step=2))
# ['a', 'c', 'e']
9
pylang

Si vous cherchez un équivalent de letters[1:10] de R, vous pouvez utiliser:

 import string
 list(string.ascii_lowercase[0:10])
0
Qaswed