I came across this snippet on Grepper:
JavaScript
x
7
1
line = "<html><head>"
2
d = ">"
3
s = [e+d for e in line.split(d) if e]
4
print(s)
5
#Output:
6
#["<html>", "<head>"]
7
It works fine for the example given. But if I split a sentence, this snippet will add the delimiter twice:
JavaScript
1
7
1
line = "<html><head>"
2
d = ">"
3
s = [e+d for e in line.split(d) if e]
4
print(s)
5
#Output:
6
#['There are two methods:', ' one is to try, the other is to not try.:']
7
so I worked on it and came up with this, which works:
JavaScript
1
11
11
1
d = ","
2
splitSentences = sentence.split(d)
3
counter = 0
4
maxLines = len(splitSentences)
5
for splitSentence in splitSentences:
6
if counter < maxLines - 1:
7
paragraphList.append(splitSentence + d)
8
else:
9
paragraphList.append(splitSentence)
10
counter = counter + 1
11
I’m wondering if there is a way to do this in more elegant way.
Advertisement
Answer
JavaScript
1
5
1
s = [e+d for e in line.split(d) if e]
2
# If the delimiter is not the last character, then drop it from the last string.
3
if line[-1] != d:
4
s[-1] = s[-1][:-1]
5
IMO, This is more readable than any one-line solution.