Expand alphabetical range to list of characters in Python

2.3k Views Asked by At

I have strings describing a range of characters alphabetically, made up of two characters separated by a hyphen. I'd like to expand them out into a list of the individual characters like this:

'a-d' -> ['a','b','c','d']
'B-F' -> ['B','C','D','E','F']

What would be the best way to do this in Python?

3

There are 3 best solutions below

2
On BEST ANSWER
In [19]: s = 'B-F'

In [20]: list(map(chr, range(ord(s[0]), ord(s[-1]) + 1)))
Out[20]: ['B', 'C', 'D', 'E', 'F']

The trick is to convert both characters to their ASCII codes, and then use range().

P.S. Since you require a list, the list(map(...)) construct can be replaced with a list comprehension.

0
On
import string

def lis(strs):
    upper=string.ascii_uppercase
    lower=string.ascii_lowercase

    if strs[0] in upper:        
        return list(upper[upper.index(strs[0]): upper.index(strs[-1])+1])
    if strs[0] in lower:
        return list(lower[lower.index(strs[0]): lower.index(strs[-1])+1])

print(lis('a-d'))
print(lis('B-F'))

output:

['a', 'b', 'c', 'd']
['B', 'C', 'D', 'E', 'F']
0
On

Along with aix's excellent answer using map(), you could do this with a list comprehension:

>>> s = "A-F"
>>> [chr(item) for item in range(ord(s[0]), ord(s[-1])+1)]
['A', 'B', 'C', 'D', 'E', 'F']