字符串常用方法
通过内建函数dir
可以返回传入其中对象的所有方法属性名列表。
>>> print(dir(str))
['__add__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__getnewargs__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__mod__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__rmod__', '__rmul__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 'capitalize', 'casefold', 'center', 'count', 'encode', 'endswith', 'expandtabs', 'find', 'format', 'format_map', 'index', 'isalnum', 'isalpha', 'isascii', 'isdecimal', 'isdigit', 'isidentifier', 'islower', 'isnumeric', 'isprintable', 'isspace', 'istitle', 'isupper', 'join', 'ljust', 'lower', 'lstrip', 'maketrans', 'partition', 'replace', 'rfind', 'rindex', 'rjust', 'rpartition', 'rsplit', 'rstrip', 'split', 'splitlines', 'startswith', 'strip', 'swapcase', 'title', 'translate', 'upper', 'zfill']
所有不以__
开头的名字就是字符串可以使用的方法。关于什么是方法
这概念,我会在后面面向对象里给大家介绍。
这里给大家介绍一些常用的字符串方法。
.capitalize()
生成字符串标题化后的副本。第一个字母大写,其他字母小写。
>>> 'hello'.capitalize()
'Hello'
>>> 'HELLO'.capitalize()
'Hello'
.islower()
判断字符串是否是全小写形式。
>>> 'hello'.islower()
True
>>> 'Hello'.islower()
False
.isupper()
判断字符串是否是全大写形式。
>>> 'Hello'.isupper()
False
>>> 'HELLO'.isupper()
True
.lower()
返回字符串全小写的副本。
>>> 'HellO'.lower()
'hello'
.upper()
返回字符串全大写的副本。
>>> 'hello'.upper()
'HELLO'
.replace(old,new,count=-1)
返回字符串替换后的副本。接收三个参数。
old
需要被替换部分的字符串
new
替换old
的字符串
count
替换次数,默认为-1表示替换所有。
>>> phone = '027-8765-5671' # 将`-`替换掉
>>> phone = phone.replace('-', '', 1) # 只替换一次
>>> print(phone)
0278765-5671
>>> phone = '027-8765-5671' # 将`-`替换掉
>>> phone = phone.replace('-', '') # 替换所有
>>> print(phone)
02787655671
.strip()
返回字符串删除首尾不可见字符后的副本。
>>> ' hello world '.strip()
'hello world'
总结一下,字符串方法的调用格式是:字符串.方法名(参数)
。调用字符串方法不会改变原字符串,只会返回字符串的副本,或者判断结果。
>>> a = 'hello'
>>> a.isupper() # 返回大写副本
'HELLO'
>>> a # 原字符串不变
'hello'
更多字符串方法,大家可以在学完函数和面向对象之后再去参考官方文档地址。