1. 程式人生 > >Python陣列元素新增修改與刪除

Python陣列元素新增修改與刪除

陣列 陣列是一種有序的集合,可以隨時新增和刪除其中的元素。

陣列定義

student=['jack','Bob','Harry','Micle']
print(student)

在這裡插入圖片描述

訪問陣列元素 用索引來訪問list中每一個位置的元素,記得索引是從0開始的:

student=['jack','Bob','Harry','Micle']
print(student)

print(student[0])
print(student[3])
print(student[-1]) #訪問最後一個元素

在這裡插入圖片描述

注意:當索引超出了範圍時,Python會報一個IndexError錯誤,所以,要確保索引不要越界。 比如:print(student[4] 就會報以下錯誤: 在這裡插入圖片描述

新增元素

#末尾新增元素
student.append('51zxw')
print(student)

在這裡插入圖片描述

#指定位置新增元素
student.insert(0,'hello')
print(student)

在這裡插入圖片描述

修改元素

#將hello的值變成NO.1
student[0]='NO.1'
print(student)

在這裡插入圖片描述

刪除元素

#刪除末尾元素
student.pop()
print(student)

在這裡插入圖片描述

#刪除指定位置元素
student.pop(1)
print(student)

在這裡插入圖片描述