TensorFlow-Python:创建空列表list与append的用法

1.空list的创建:

l = list()
或者:
l = []

2.list中元素的创建和表达

fruits = ['apple', 'banana', 'pear', 'grapes', 'pineapple', 'watermelon']
fruits[2] #从0开始数起,第三个元素
pear

3.list中元素的更改

fruits[2] = 'tomato'
print(fruits)
['apple', 'banana', 'tomato', 'grapes', 'pineapple', 'watermelon']

4.在list末尾增加更多元素

fruits.append('eggplant') 
print(fruits) 
['apple', 'banana', 'tomato', 'grapes', 'pineapple', 'watermelon', 'eggplant'] 

5.如何截取list中的某一段

print(fruit[: 2]) #从list的首元素开始截取,截取到位置'3',但不包括第3个元素 
['apple', 'banana']  

6. 修改改list中连续的元素 

fruits[:2] = ['a', 'b'] 
print(fruits) 
['a', 'b', 'tomato', 'grapes', 'pineapple', 'watermelon', 'eggplant']

7.如何删除list中某段元素,或者全部

list fruits[:2] = [] #删除前两个元素 
print(fruits) 
['tomato', 'grapes', 'pineapple', 'watermelon', 'eggplant'] 
fruits[:] = [] #删除全部list元素
[]
原文地址:https://www.cnblogs.com/chamie/p/8762649.html