python大写首字母只

我知道.capitalize()大写字母的第一个字母,但如果第一个字符是一个整数?

这个

1bob 5sandy 

对此

 1Bob 5Sandy 

如果第一个字符是一个整数,它不会大写第一个字母。

 >>> '2s'.capitalize() '2s' 

如果你想要的function,剥离数字,你可以使用'2'.isdigit()检查每个字符。

 >>> s = '123sa' >>> for i, c in enumerate(s): ... if not c.isdigit(): ... break ... >>> s[:i] + s[i:].capitalize() '123Sa' 

只是因为没有人提到它:

 >>> 'bob'.title() 'Bob' >>> 'sandy'.title() 'Sandy' >>> '1bob'.title() '1Bob' >>> '1sandy'.title() '1Sandy' 

但是,这也会给

 >>> '1bob sandy'.title() '1Bob Sandy' >>> '1JoeBob'.title() '1Joebob' 

即它不只是把第一个字母字符大写。 但是,然后.capitalize()也有同样的问题,至less在那个'joe Bob'.capitalize() == 'Joe bob' ,所以呢。

这与@Anon的答案类似,它保持string的其余部分完整无缺,而不需要re模块。

 def upperfirst(x): return x[0].upper() + x[1:] x = 'thisIsCamelCase' y = upperfirst(x) print(y) # Result: 'ThisIsCamelCase' # 

正如@Xan指出的那样,函数可以使用更多的错误检查(例如检查x是一个序列 – 但是我省略了边缘情况来说明这种技术)

这里是一个大写的第一个字母,并留下所有后续字母的情况:

 import re key = 'wordsWithOtherUppercaseLetters' key = re.sub('([a-zA-Z])', lambda x: x.groups()[0].upper(), key, 1) print key 

这将导致WordsWithOtherUppercaseLetters

我想出了这个:

 import re regex = re.compile("[A-Za-z]") # find a alpha str = "1st str" s = regex.search(str).group() # find the first alpha str = str.replace(s, s.upper(), 1) # replace only 1 instance print str 

您可以使用正则expression式replace每个单词的第一个字母( preceded by a digit ):

 re.sub(r'(\d\w)', lambda w: w.group().upper(), '1bob 5sandy') output: 1Bob 5Sandy 

看到陈厚武回答,可以使用string包:

 import string string.capwords("they're bill's friends from the UK") >>>"They're Bill's Friends From The Uk"