协慌网

登录 贡献 社区

如何在 Python 中将字符串转换为小写

有没有办法将字符串从大写,甚至部分大写转换为小写?

例如公里 - > 公里。

答案

s = "Kilometer"
print(s.lower())

官方文档是str.lower()

使用 Python 2,这不适用于 UTF-8 中的非英语单词。在这种情况下, decode('utf-8')可以帮助:

>>> s='Километр'
>>> print s.lower()
Километр
>>> print s.decode('utf-8').lower()
километр

如何在 Python 中将字符串转换为小写?

有没有办法将整个用户输入的字符串从大写,甚至部分大写转换为小写?

例如公里 - > 公里

规范的 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()
'километр'

Unicode Python 2

但是 Python 2 没有,下面粘贴到 shell 中,使用utf-8将文字编码为字节串。

lower不会映射本机 Unicode 对象会注意到的任何更改,因此我们得到相同的字符串。

>>> 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 中的警告)字节在没有给出编码的字符串中,因为预期的编码将是不明确的。有关更多信息,请参阅文档PEP 263 中的 Unicode 操作方法

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

因此我们需要一个unicode字符串来处理这种转换,使用 unicode 文字很容易实现:

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

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

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

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

>>> 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 字符串,在输出时转换为特定编码。

必要时可以编码

但是,要在str类型中返回小写,请再次将 python 字符串编码为utf-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 类型。