蟒蛇只大写首字母(python capitalize first letter only)

2019-06-18 03:45发布

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

这个

1bob
5sandy

1Bob
5Sandy

Answer 1:

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

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

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

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


Answer 2:

只是因为没有其他人提到它:

>>> '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' ,所以咩。



Answer 3:

这类似于@匿名的,因为它保持了字符串的情况下完整的休息答案,而不需要重新模块。

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地指出我没有回答这个问题! - 固定那



Answer 4:

这里是一个班轮,将首字母大写为,并留下所有后续字母的大小写:

import re

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

这将导致WordsWithOtherUppercaseLetters



Answer 5:

如同看见这里的陈吼邬回答,有可能使用字符串包:

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


Answer 6:

我想出了这个:

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


Answer 7:

您可以替换的第一个字母( preceded by a digit使用正则表达式的每个词的):

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

output:
 1Bob 5Sandy


Answer 8:

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



文章来源: python capitalize first letter only