一.列表的定义
1.列表定义
fruits = ['apple','banana','orange']
2.取值
print(fruits[0])
print(fruits[1])
print(fruits[2])
3.列表遍历
fruits = ['apple', 'banana', 'orange']
for fruit in fruits:
print(fruit)
4.列表嵌套
test_list = [1, 2, 3, ['a', 'b', 'c']]
for temp in test_list:
print(temp)
5.列表相加
a = [1,2,3]
b = [4,5,6]
c = a+b
print(c)
二.列表切片操作
fruits= ['apple','banana','orange','a','b']
print(fruits[0:3])
print(fruits[0::2])
print(fruits[-1::-1])
print(fruits[-1:2:-1])
print(fruits[-1:-3:-1])
三.列表常用操作
1.append
fruits = ['apple']
fruits.append('banana')
print(fruits)
#在列表末尾添加元素
2.count
temps = ['to', 'be', 'or', 'not', 'to', 'be']
print(temps.count('to'))
3.extend:将一个列表中元素追加到另外一个列表中
a = [1,2,3]
b = [4,5,6]
c = a.extend(b)
print(c)
4.index:找出列表中第一个某个值的第一个匹配项的索引位置,如果没有找到,则抛出一个异常:
a = ['hellow','word']
b = a.index('hellow')
print(b)
5.insert:将某个值插入到列表中的某个位置
a = ['hellow','word']
a.insert(1,'oo')
print(a)
6.pop方法:移除列表中最后一个元素,并且返回该元素的值:
a = ['hellow','word']
print(a.pop())
print(a)
7.remove方法:移除列表中第一个匹配的元素,不会返回这个被移除的元素的值。如果被移除的这个值不存在列表中,则会抛出一个异常
x=[1,2,3]
x.remove(2)
print(x)
x=[1,2,3]
x.remove(4)
print(x)
8.reverse:将列表中的元素反向存储。会更改原来列表中的值。
x=[1,2,3]
x.reverse()
print(x)
9.sort:将列表中的元素进行排序。会更改原来列表中的位置
x=[1,3,2]
x.sort()
print(x)
10.sorted函数不会更改原来列表的位置,并且会返回一个排序后的值
x = [4, 2, 1, 5, 3]
y =sorted(x)
print(x)
print(y)
11.del关键字:根据下标删除元素:
a = [1,2,3]
del a[0]
print(a)# [2,3]
12.使用in判断列表中是否有某个元素:
x = [1,2,3]
if 1 in x:
print(True)
else:
print(False)
13.list函数:将其他的数据类型转换成列表
a ='hello'
print(list(a))