python仅首字母大写

python capitalize first letter only

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

1
2
1bob
5sandy

对此

1
2
1bob
5sandy

只是因为没人提到:

1
2
3
4
5
6
7
8
>>> 'bob'.title()
'Bob'
>>> 'sandy'.title()
'Sandy'
>>> '1bob'.title()
'1Bob'
>>> '1sandy'.title()
'1Sandy'

然而,这也会给

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

也就是说,它不只是将第一个字母字符大写。但后来,.capitalize()也有同样的问题,至少在'joe Bob'.capitalize() == 'Joe bob'中是这样,所以Meh。


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

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

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

1
2
3
4
5
6
7
>>> s = '123sa'
>>> for i, c in enumerate(s):
...     if not c.isdigit():
...         break
...
>>> s[:i] + s[i:].capitalize()
'123Sa'


这类似于@anon的回答,因为它可以保持字符串的其余部分完好无损,而不需要重新模块。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
def sliceindex(x):
    i = 0
    for c in x:
        if c.isalpha():
            i = i + 1
            return i
        i = i + 1

def upperfirst(x):
    i = sliceindex(x)
    return x[:i].upper() + x[i:]

x = '0thisIsCamelCase'

y = upperfirst(x)

print(y)
# 0ThisIsCamelCase

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

根据@normanius评论更新(谢谢!)

感谢@geostonemarten指出我没有回答这个问题!-修正了


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

1
2
3
4
5
import re

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

这将导致WordsWithOtherUppercaseLetters


正如陈厚武在这里回答的,可以使用字符串包:

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

一行:' '.join(sub[:1].upper() + sub[1:] for sub in text.split(' '))


您可以使用regex替换每个单词的第一个字母(preceded by a digit

1
2
3
4
re.sub(r'(\d\w)', lambda w: w.group().upper(), '1bob 5sandy')

output:
 1Bob 5Sandy

我想到了这个:

1
2
3
4
5
6
7
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