字符串
字符串的基本特点
字符串的本质是:字符序列。Python 的字符串是不可变的,我们无法对原字符串做任何修改。但可以将字符串的一部分复制到新创建的字符串,达到“看起来修改”的效果。 Python 不支持单字符类型,单字符也是作为一个字符串使用的。
replace()实现字符串替换
字符串不可改变。但是,我们确实有时候需要替换某些字符。这时,只能通过创建新的字符串来实现
a = 'abcdefghijklmnopqrstuvwxyz'
a = a.replace('c','高')
print(a)
output: ‘ab高defghijklmnopqrstuvwxyz’
整个过程中,实际上我们是创建了新的字符串对象,并指向了变量 a,而不是修改了以前的 字符串。 内存图如下: data:image/s3,"s3://crabby-images/f8694/f8694928c965f3bbf5934e5b38b5b7fecda54090" alt="在这里插入图片描述"
字符串切片 slice 操作
切片 slice 操作可以让我们快速的提取子字符串。标准格式为: [起始偏移量 start:终止偏移量 end:步长 step] 典型操作(三个量为正数的情况)如下: data:image/s3,"s3://crabby-images/a3986/a3986e1773c5f7bc3dbc4a604e2237453da90426" alt="在这里插入图片描述"
其他操作(三个量为负数)的情况: data:image/s3,"s3://crabby-images/6c5ec/6c5ec72d95c1034344165e1a742ba336329e6bb9" alt="在这里插入图片描述"
split()分割和 join()合并
split()可以基于指定分隔符将字符串分隔成多个子字符串(存储到列表中)。如果不指定分隔符,则默认使用空白字符(换行符/空格/制表符)。
a = "to be or not to be"
a.split()
join()的作用和 split()作用刚好相反,用于将一系列子字符串连接起来。示例代码如下:
a = ['sxt','sxt100','sxt200']
'*'.join(a)
拼接字符串要点: 使用字符串拼接符+,会生成新的字符串对象,因此不推荐使用+来拼接字符串。推荐使用 join 函数,因为 join 函数在拼接字符串之前会计算所有字符串的长度,然后逐一拷贝,仅新建一次对象。
字符串查找
data:image/s3,"s3://crabby-images/9527a/9527a30c18fe08f3e32f39d0469873e39b2c2237" alt="在这里插入图片描述"
data:image/s3,"s3://crabby-images/03c3e/03c3e305ea6ddd37da2e8765be8d2db2091827b5" alt="在这里插入图片描述"
去除首尾信息
通过 strip()去除字符串首尾指定信息。通过 lstrip()去除字符串左边指定信息, rstrip()去除字符串右边指定信息
"*s*x*t*".strip("*")
"*s*x*t*".lstrip("*")
"*s*x*t*".rstrip
" sxt ".strip()
大小写转换
data:image/s3,"s3://crabby-images/1e72d/1e72d2d5c33245a75e934bee0b999e57156d7054" alt="在这里插入图片描述"
data:image/s3,"s3://crabby-images/122ee/122ee0ee0e163e3c1a0a1051fb8b625ba5fb17ae" alt="在这里插入图片描述"
其他方法
- isalnum() 是否为字母或数字
- isalpha() 检测字符串是否只由字母组成(含汉字)。
- isdigit() 检测字符串是否只由数字组成。
- isspace() 检测是否为空白符
- isupper() 是否为大写字母
- islower() 是否为小写字母
数字格式化
浮点数通过 f,整数通过 d 进行需要的格式化
a = "我是{0},我的存款有{1:.2f}"
a.format("小可爱",3888.234342)
output: ‘我是小可爱,我的存款有 3888.23’
|