时间:2022-06-16 09:47:38 | 栏目:Python代码 | 点击:次
python
内置的数据结构(列表、元组、字典、集合),相当于数组list()(
类list的构造方法)L = [] # 创建空列表 L = [1,2,3,4,5,'python'] print(L) # [1, 2, 3, 4, 5, 'python'] list(rang(1, 5)) # 传入range对象 [1,2,3,4] list([1,2,3,4,5,'python']) # 直接传入中括号[] list() # 创建空列表
使用索引获得列表的元素,如果指定的索引在列表中不存在,抛出错误IndexError: list index out of range
L = ['H','e','l','l','o'] # 定义列表,元素可以为数值,但怕给索引搞混了用了字符 L.index('e') L.index('l') L.index('h') # value error L.index('l',2) # 从索引2开始找'l' L.index('l',2,5) # 在[2, 4]内找'l'
index
,只返回大于0的数值,比如L.index(‘e’) = 1,如列表中存在多个指定元素,方法index
只返回第一个指定元素的索引值,比如L.index(‘l’) = 2,如果列表中不存在指定元素,抛出错误ValueError: ‘h’ is not in list
step
为负数时L = list('HelloWorld') L[1:7:2] L[1:6] L[:] # 返回整个列表 输入L[]报错SyntaxError: invalid syntax L[::-1] # 翻转整个列表 L[:-1] # stop指定为-1所在元素 ['H', 'e', 'l', 'l', 'o', 'W', 'o', 'r', 'l'] L[6:0:-2] L[0:6:-2] # start指定为0所在元素,往前看没有值,返回[] L[8::-2] # ['l', 'o', 'o', 'l', 'H'] L[8:0:-2] # ['l', 'o', 'o', 'l'] 不包含stop指定的元素 L[-2:0:-2] L[:3:-2]
L = list('HelloWorld') L[:100] L[-100:]
L = list('HelloWorld') L[slice(1,9,2)] L[1:9:2] L[::] L[slice(None,None,None)] # L[slice(None)] 返回整个列表 L[1:7] L[slice(1,7)] L[:7] L[slice(7)] #可以只输入stop,也可写作 L[slice(None, 7)]
L = list('HelloWorld') print(5 in L) # False