I am trying to separate a string in CamelCase into a single list
I managed to separate the words with regular expressions
But I am clueless on how create a single list of all the matches
I tried to concatenate the lists, append something like that but I don’t think it would work in my case
JavaScript
x
8
1
n="SafaNeelHelloAByeSafaJasleen"
2
patt=re.compile(r'([A-Z][a-z]*|[a-z$])')
3
matches=patt.finditer(n)
4
for match in matches:
5
a=match.group()
6
list=a.split()
7
print(list)
8
output:
JavaScript
1
14
14
1
['Safa']
2
3
['Neel']
4
5
['Hello']
6
7
['A']
8
9
['Bye']
10
11
['Safa']
12
13
['Jasleen']
14
Desired output:
JavaScript
1
2
1
['Safa','Neel','Hello','A','Bye','Safa','Jasleen']
2
Advertisement
Answer
You’re looking for re.findall()
, not re.finditer()
:
JavaScript
1
5
1
>>> string = "SafaNeelHelloAByeSafaJasleen"
2
>>> pattern = re.compile(r"([A-Z][a-z]*|[a-z$])")
3
>>> pattern.findall(string)
4
['Safa', 'Neel', 'Hello', 'A', 'Bye', 'Safa', 'Jasleen']
5