# 一.基础信息
# 1.字符串定义
ddd = '散发斯蒂芬'
''
""
sql = """
select * from table
"""
f"是打发斯蒂芬{ddd}"
type(sql)
my_str = "itheima and itcast"
1
2
3
4
5
6
7
8
9
10
2
3
4
5
6
7
8
9
10
# 2.字符串方法
- 下标取值
- index 获取下标
- replace 替换
- split 分割
- strip 去除空格
- strip 去除指定字符
- count 统计个数
- len 计算长度
# 二.获取操作
# 1.定义一个字符串
# 定义字符串
my_str = "itheima and itcast"
1
2
2
# 2.下标取值
# 通过下标索引取值
value = my_str[2]
value2 = my_str[-16]
print(f"从字符串{my_str}取下标为2的元素,。值是:{value},取下标为-16的元素。值是:{value2}")
1
2
3
4
2
3
4
# 3.index 函数
# index方法
value = my_str.index("and")
print(f"在字符串{my_str}中查找and,其起始下标是:{value}")
1
2
3
2
3
# 三.替换操作
# 1.replace 函数
# replace方法
new_my_str = my_str.replace("it", "程序")
print(f"将字符串{my_str},进行替换后得到:{new_my_str}")
1
2
3
2
3
# 2.replace 个数
my_str = "itheima and itcast"
new_my_str = my_str.replace("it", "程序", 2)
print(f"将字符串{my_str},进行替换后得到:{new_my_str}")
1
2
3
2
3
# 3.修改 index 值
my_str = "itheima and itcast"
# 字符串对象不支持赋值,会报错
# my_str[2] = "H"
1
2
3
4
2
3
4
# 4.split 函数
# split方法
my_str = "hello python itheima itcast"
my_str_list = my_str.split(" ")
print(f"将字符串{my_str}进行split切分后得到:{my_str_list}, 类型是:{type(my_str_list)}")
1
2
3
4
2
3
4
# 四.长度操作
# 1.count 函数
# count统计字符串中某字符串的出现次数
my_str = "itheima and itcast"
count = my_str.count("it")
print(f"字符串{my_str}中it出现的次数是:{count}")
1
2
3
4
2
3
4
# 2.len 函数
# 统计字符串的长度, len()
num = len(my_str)
print(f"字符串{my_str}的长度是:{num}")
1
2
3
2
3
# 3.比较大小
# abc 比较 abd
print(f"abd大于abc,结果:{'abd' > 'abc'}")
# a 比较 ab
print(f"ab大于a,结果:{'ab' > 'a'}")
# a 比较 A
print(f"a 大于 A,结果:{'a' > 'A'}")
# key1 比较 key2
print(f"key2 > key1,结果:{'key2' > 'key1'}")
# abd大于abc,结果:True
# ab大于a,结果:True
# a 大于 A,结果:True
# key2 > key1,结果:True
1
2
3
4
5
6
7
8
9
10
11
12
13
14
2
3
4
5
6
7
8
9
10
11
12
13
14
# 五.strip 函数
# 1.基本使用
# strip方法
my_str = " itheima and itcast "
new_my_str = my_str.strip() # 不传入参数,去除首尾空格
print(f"字符串{my_str}被strip后,结果:{new_my_str}")
1
2
3
4
2
3
4
# 2.带参数
# strip方法带参数
my_str = "12itheima and itcast21"
new_my_str = my_str.strip("12")
print(f"字符串{my_str}被strip('12')后,结果:{new_my_str}")
1
2
3
4
2
3
4
# 3.多参数
**原理是:**先遍历指定字符,再比对原字符串的边,依次删除
# 也可以把前后的12和21去掉
my_str = "12itheima and itcast21"
new_my_str = my_str.strip("231")
print(f"字符串{my_str}被strip('12')后,结果:{new_my_str}")
1
2
3
4
2
3
4
# 六.切片操作
# 1.字符串切片
# 对str进行切片,从头开始,到最后结束,步长2
my_str = "01234567"
result3 = my_str[::2]
print(f"结果3:{result3}")
1
2
3
4
2
3
4
# 2.反向切片
# 对str进行切片,从头开始,到最后结束,步长-1
my_str = "01234567"
result4 = my_str[::-1] # 等同于将序列反转了
print(f"结果4:{result4}")
1
2
3
4
2
3
4