字符串 mystr = 'hello world itcast and itcastcpp',以下是常见的操作
1 find
检测str是否包含在mystr中,如果是返回开始的索引值,否则返回-1
mystr.find(str, start=0, end=len(mystr))
>>>mystr = 'hello world itcast and itcastcpp'
>>>mystr.find('itcast')
12
>>>
>>>mystr.find('itcast',0,10)
-1
>>>
2 index
跟find()方法一样,只不过如果str不在 mystr中会报一个异常.
mystr.index(str, start=0, end=len(mystr))
3 count
返回str在star和end之间 在mystr里面出现的次数
mystr.count(str, start=0, end=len(mystr))
>>>mystr.count('itcast')
2
>>>
4 replace
把mystr中的 str1替换成str2,如果count指定,则替换不超过count次
mystr.replace(str1, str2, mystr.count(str1))
>>>name = 'hello word ha ha'
>>>name.replace('ha', 'Ha')
'hello word Ha Ha'
>>>name.replace('ha', 'Ha', 1)
'hello word Ha ha'
>>>
5 split
以str 为分隔符切片mystr,如果maxsplit有指定值,则仅分隔 maxsplit 个子字符串
mystr.split(str=" ", 2)
>>>name = 'hello word ha ha'
>>>name.split(' ')
['hello', 'word', 'ha', 'ha']
>>>name.split(' ', 2)
['hello', 'word', 'ha ha']
>>>
6 capitalize
把字符串的第一个字符大写
mystr.capitalize
>>>mystr.capitalize()
'Hello world itcast and itcastcpp'
>>>
7 title
把字符串的每一个单词首字母大写
>>>a = 'how are you'
>>>a.title()
'How Are You'
>>>
8 startswith/endswith
检查字符串是否以obj开始/结束, 是返回True,否则返回False
mystr.startswith(obj)/mystr.endswith(obj)
>>>mystr.startswith('hello')
True
>>>mystr.endswith('hello')
False
9 lower
>>>a = 'HELLO'
>>>a.lower()
'hello'
10 upper
>>>a = 'a b c d'
>>>a.upper()
'A B C D'
11 ljust
返回一个原字符串左对齐,并使用空格填充至长度 width 的新字符串
mystr.ljust(width)
>>> mystr = 'hello'
>>>mystr.ljust(10)
'hello '
12 rjust
返回一个原字符串右对齐,并使用空格填充至长度 width 的新字符串
mystr.rjust(width) 同11 原理一样
13 center
返回一个原字符串居中,并使用空格填充至长度 width 的新字符串
mystr.center(width)
14 lstrip
删除 mystr 左边的空白字符
mystr.lstrip()
15 rstrip
删除 mystr 字符串末尾的空白字符
16strip
删除mystr字符串两端的空白字符
>>>a = '\n\t itcast \t\n'
>>>a.strip()
'itcast'
17 rfind
类似find()函数,不过是从右边开始查找
18 rindex
类似于 index(),不过是从右边开始
19 partition
把mystr以str分割成三部分,str前,str和str后
mystr.partition(str)
20 rpartition
类似于 partition()函数,不过是从右边开始.
mystr.rpartition(str)
21 splitlines
按照行分隔,返回一个包含各行作为元素的列表
mystr.splitlines()
22 isalpha
如果 mystr 所有字符都是字母 则返回 True,否则返回 False
mystr.isalpha()
23 isdigit
如果 mystr 只包含数字则返回 True 否则返回 False.
mystr.isdigit()
24 isalnum
如果 mystr 所有字符都是字母或数字则返回 True,否则返回 False
mystr.isalnum()
25 isspace
如果 mystr 中只包含空格,则返回 True,否则返回 False.
mystr.isspace()
26 join
mystr 中每个字符后面插入str,构造出一个新的字符串
mystr.join(str)
网友评论