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

this

1bob
5sandy

这个

1Bob
5Sandy

当前回答

一行代码:' '.join(sub[:1].upper() + sub[1:]用于文本中的sub。分割(' '))

其他回答

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

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

如果你想要这个功能,去掉数字,你可以使用'2'.isdigit()来检查每个字符。

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

下面是一个一行程序,它将第一个字母大写,并保留所有后续字母的大小写:

import re

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

这将导致WordsWithOtherUppercaseLetters

一行代码:' '.join(sub[:1].upper() + sub[1:]用于文本中的sub。分割(' '))

我想到了这个:

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

只是因为没人提过

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

然而,这也会

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

也就是说,它不仅仅是首字母大写。但是。capitalize()也有同样的问题,至少在'joe Bob'.capitalize() == 'joe Bob'中是这样。