Is there a standard way in Python to titlecase a string (i.e. words start with uppercase characters, all remaining cased characters have lowercase) but leaving articles like and
, in
, and of
lowercased?
Advertisement
Answer
There are a few problems with this. If you use split and join, some white space characters will be ignored. The built-in capitalize and title methods do not ignore white space.
JavaScript
x
3
1
>>> 'There is a way'.title()
2
'There Is A Way'
3
If a sentence starts with an article, you do not want the first word of a title in lowercase.
Keeping these in mind:
JavaScript
1
14
14
1
import re
2
def title_except(s, exceptions):
3
word_list = re.split(' ', s) # re.split behaves as expected
4
final = [word_list[0].capitalize()]
5
for word in word_list[1:]:
6
final.append(word if word in exceptions else word.capitalize())
7
return " ".join(final)
8
9
articles = ['a', 'an', 'of', 'the', 'is']
10
print title_except('there is a way', articles)
11
# There is a Way
12
print title_except('a whim of an elephant', articles)
13
# A Whim of an Elephant
14