列表(list) : 一种有序可以更改的集合。允许重复成员
元组 (Tuple) :一种有序并且不可更改的集合,允许重复成员
集合(Set): 一个无序和无索引的集合。没有重复成员
词典 (Dictionary)是一个无序,可变有索引的集合,拥有键和值。没有重复成员
列表 (list)
方括号编写
thislist = ["apple", "banana", "cherry"]
可以通过索引访问 (正向的索引从0开始,反向索引 -1表示倒数第一个)
print(thislist[1])
支持范围索引 (左闭右开区间)
thislist = ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
print(thislist[2:5])
支持范围负索引
thislist = ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
print(thislist[-5:-2])
负索引相当于从后往前寻找下标
注意 :
如果:
print(thislist[-2:-5])
就会出现
说明这个是不支持 反向遍历的
元组(tuple)
元组是有序且不可更改的集合 ,python中用圆括号编写
thistuple = ('test0','test1','test2','test3')
thistuple[0] = 'aaa'
这样会报错
其余用法和列表用法一样
集合(set)
集合是无序无索引的集合,在Python中,集合用花括号编写
无序:指的是无法确定集合的显示顺序
thisset = {"apple", "banana", "cherry"}
print(type(thisset))
print(thisset)
我们可以很清楚的看到 顺序并不是我们初始化时候的顺序,因此称为无序
因此这种[ ]形式获取元素值也是不允许的
print(thisset[0])
字典(Dictionary)
字典是一个无序、可变和有索引的集合。在 Python 中,字典用花括号编写,拥有键和值。
简单来说就是一个 key – value的键值对形式
1: 这个key允不允许重复?
thisdict = {
"brand": "Porsche",
"brand": "122",
"model": "911",
"year": 1963
}
print(thisdict)
输出结果 :
根据结果说明重复key可以这么写,但是编译器会进行去重,并且会将最后一次相同的key的value保存
无序,说明打印出来的结果依旧不是按照我们初始化进行
thisdict = {
"brand": "Porsche",
"brand": "122",
"model": "911",
"year": 1963,
"sah" : ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
}
有索引,表示我们可以通过[ ]形式进行访问value值
print(thisdict[“brand”])
三种遍历方式 :
for x in thisdict:
print(thisdict[x])
通过使用 items() 函数遍历键和值:
for x ,y in thisdict.items():
print(x,y)
还可以使用 values() 函数返回字典的值:
for x in thisdict.values():
print(x)