如何在Python中小写字符串?

2022-09-05 00:48:36

有没有办法将字符串转换为小写?

"Kilometers"  →  "kilometers"

答案 1

使用 str.lower()

"Kilometer".lower()

答案 2

规范的Pythonic方法是

>>> 'Kilometers'.lower()
'kilometers'

但是,如果目的是进行不区分大小写的匹配,则应使用大小写折叠:

>>> 'Kilometers'.casefold()
'kilometers'

原因如下:

>>> "Maße".casefold()
'masse'
>>> "Maße".lower()
'maße'
>>> "MASSE" == "Maße"
False
>>> "MASSE".lower() == "Maße".lower()
False
>>> "MASSE".casefold() == "Maße".casefold()
True

这是Python 3中的str方法,但在Python 2中,您需要查看PyICU或py2casefold - 有几个答案在这里解决了这个问题

Unicode Python 3

Python 3 将纯字符串文本处理为 unicode:

>>> string = 'Километр'
>>> string
'Километр'
>>> string.lower()
'километр'

Python 2,纯字符串文本是字节

在 Python 2 中,将以下内容粘贴到 shell 中,使用 utf-8 将文本编码为字节字符串。

并且不映射字节会注意到的任何更改,因此我们得到相同的字符串。lower

>>> string = 'Километр'
>>> string
'\xd0\x9a\xd0\xb8\xd0\xbb\xd0\xbe\xd0\xbc\xd0\xb5\xd1\x82\xd1\x80'
>>> string.lower()
'\xd0\x9a\xd0\xb8\xd0\xbb\xd0\xbe\xd0\xbc\xd0\xb5\xd1\x82\xd1\x80'
>>> print string.lower()
Километр

在脚本中,Python将反对非ascii(从Python 2.5开始,在Python 2.4中警告)字节在没有给出编码的字符串中,因为预期的编码是不明确的。有关这方面的更多信息,请参阅文档中的 Unicode 操作方法和 PEP 263

使用 Unicode 文本,而不是文本str

因此,我们需要一个字符串来处理此转换,使用unicode字符串文本可以轻松完成,该文本通过前缀消除歧义(请注意,前缀也适用于Python 3):unicodeuu

>>> unicode_literal = u'Километр'
>>> print(unicode_literal.lower())
километр

请注意,字节与字节完全不同 - 转义字符后跟 2 字节宽度,或这些字母的 16 位表示形式:str'\u'unicode

>>> unicode_literal
u'\u041a\u0438\u043b\u043e\u043c\u0435\u0442\u0440'
>>> unicode_literal.lower()
u'\u043a\u0438\u043b\u043e\u043c\u0435\u0442\u0440'

现在,如果我们只以 的形式拥有它,我们需要将其转换为 。Python的Unicode类型是一种通用编码格式,与大多数其他编码相比具有许多优点。我们可以将构造函数或方法与编解码器结合使用,以将strunicodeunicodestr.decodestrunicode

>>> unicode_from_string = unicode(string, 'utf-8') # "encoding" unicode from string
>>> print(unicode_from_string.lower())
километр
>>> string_to_unicode = string.decode('utf-8') 
>>> print(string_to_unicode.lower())
километр
>>> unicode_from_string == string_to_unicode == unicode_literal
True

这两种方法都转换为 unicode 类型 - 并且与unicode_literal相同。

最佳实践,使用 Unicode

建议您始终使用 Unicode 中的文本

软件应该只在内部使用 Unicode 字符串,在输出时转换为特定的编码。

必要时可以编码回来

但是,要将小写字母恢复为 类型 ,再次将 python 字符串编码为:strutf-8

>>> print string
Километр
>>> string
'\xd0\x9a\xd0\xb8\xd0\xbb\xd0\xbe\xd0\xbc\xd0\xb5\xd1\x82\xd1\x80'
>>> string.decode('utf-8')
u'\u041a\u0438\u043b\u043e\u043c\u0435\u0442\u0440'
>>> string.decode('utf-8').lower()
u'\u043a\u0438\u043b\u043e\u043c\u0435\u0442\u0440'
>>> string.decode('utf-8').lower().encode('utf-8')
'\xd0\xba\xd0\xb8\xd0\xbb\xd0\xbe\xd0\xbc\xd0\xb5\xd1\x82\xd1\x80'
>>> print string.decode('utf-8').lower().encode('utf-8')
километр

所以在Python 2中,Unicode可以编码成Python字符串,Python字符串可以解码为Unicode类型。