1.查询
列表切片搜索的特点:
1.顾头不顾尾,如:list_l[2:4],仅取到数据list_l[2]、list_l[3]
2.切片操作为从左到右的方式,如:list_l[-2:-5],会报错
代码如下(示例):
list_l = ["a", "b", "c", 123, True, [1, 2, 3, 4, 5]]
#列表的操作:切片(查询)
print("列表切片顾头不顾尾(从左到右,不可-1:-3):",list_l[0:1])
print("列表取某一个值到最后的数据",list_l[-2:])
print("列表取最后一个数据:",list_l[-1])
print("查询内容的下标:",list_l.index("c"))
print("跳着打印所有的数据:",list_l[0:-1:2])
print("跳着打印所有的数据:",list_l[::2])
运行结果:
列表切片顾头不顾尾(从左到右,不可-1:-3): ['a']
列表取某一个值到最后的数据 [True, [1, 2, 3, 4, 5]]
列表取最后一个数据: [1, 2, 3, 4, 5]
查询内容的下标: 2
跳着打印所有的数据: ['a', 'c', True]
跳着打印所有的数据: ['a', 'c', True]
2.新增
新增有两种方式:
1.直接在列表的最后新增数据,如:list_l.append(“555”)
2.在具体的位置上添加数据,如:list_l.insert(2)
代码如下(示例):
list_l.append("adb")
print("列表追加:",list_l)
list_l.insert(2,"hahaha")
print("列表中间插入数据:",list_l)
运行结果:
列表追加: ['a', 'b', 'c', 123, True, [1, 2, 3, 4, 5], 'adb']
列表中间插入数据: ['a', 'b', 'hahaha', 'c', 123, True, [1, 2, 3, 4, 5], 'adb']
3.修改
#列表的操作:修改
list_l[0]="change"
4.删除
#列表的操作:删除
list_l.remove("change")
print('''list_l.remove("change")直接选中具体内容内容:''',list_l)
list_l.pop()
print("list_l.pop()直接删除最后一个数据:",list_l)
list_l.pop(4)
print("list_l.pop(4)删除具体下标下的内容:",list_l)
del list_l[3]
print("del list_l[3]删除具体下标下的内容:",list_l)
list_l.clear()
print("list_l.clear()清空内容:",list_l)
运行结果:
list_l.remove("change")直接选中具体内容内容: ['b', 'hahaha', 'c', 123, True, [1, 2, 3, 4, 5], 'adb']
list_l.pop()直接删除最后一个数据: ['b', 'hahaha', 'c', 123, True, [1, 2, 3, 4, 5]]
list_l.pop(4)删除具体下标下的内容: ['b', 'hahaha', 'c', 123, [1, 2, 3, 4, 5]]
del list_l[3]删除具体下标下的内容: ['b', 'hahaha', 'c', [1, 2, 3, 4, 5]]
list_l.clear()清空内容: []
5.其他操作
#列表的其他操作
print("找寻数据重复的次数:",list_l.count('c'))
list_l.reverse()
print("list_l.reverse()反转数据[1,2,3]-[3,2,1]:",list_l)
name = [55555,6666]
list_l.extend(name)
print("list_l.extend(name)扩展内容:",list_l)
#直接删除变量
del name
运行结果:
找寻数据重复的次数: 1
list_l.reverse()反转数据[1,2,3]-[3,2,1]: [[1, 2, 3, 4, 5], 'c', 'hahaha', 'b']
list_l.extend(name)扩展内容: [[1, 2, 3, 4, 5], 'c', 'hahaha', 'b', 55555, 6666]