Python——使用列表的一部分

2022/2/13 20:45:23

本文主要是介绍Python——使用列表的一部分,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

1.切片
要创建切片,可指定要使用的第一个元素和最后一个元素的索引。与函数range()一样,Python在到达你指定的第二个索引前面的元素后停止。
i.要输出列表中的前三个元素,需要指定索引0~3,这将输出分别为0,1的元素。
创建一个运动员列表
plays=['charles','martina','michael','florence','eli']
print(plays[0:3])
这个地方的代码打印该列表的一个切片,其中只包括三名队员。输出也是一个列表,其中包括前三名队员

运行结果

['charles', 'martina', 'michael']

 

ii.也可以生成列表的任何子集
如果你要提取列表的第2~4个元素,可将起始索引指定为1,并将终止索引指定为4
print(plays[1:4])

运行结果

['martina', 'michael', 'florence']

 

这一次切片从‘martina’到‘florence'

iii.如果没有指定第一个索引,Python将从第一个元素开始

print(plays[:4])

运行结果

['charles', 'martina', 'michael', 'florence']

  同样要使切片终止于列表末尾,也可以用这个方法

print(plays[2:])

运行结果

['michael', 'florence', 'eli']

 

无论列表多长,这种语法都能够输出列表的特定位置元素

vi使用负数索引返回列表末尾相应距离的元素
例如输出名单上最后三名队员
print(plays[-3:])

运行结果

['michael', 'florence', 'eli']

 

2 遍历切片
如果要遍历列表的部分元素,可在for循环中使用切片。
遍历前三名队员,并打印他们的名字

print("Here are the first three plays on my team:")
for player in plays[:3]:
    print(player.title())

运行结果

Here are the first three plays on my team:
Charles
Martina
Michael

 

在编写游戏时,你可以在玩家退出游戏时,将其最终得分加入到一个列表。然后为获取该玩家的三个最高分,你可以将该列表按降序排列,再创建一个只包含前三个得分的切片。处理数据时,可使用切片来进行批量处理;编写Wed应用程序时,可使用切片来分页显示信息,并在每页显示数量合适的信息。
3 复制列表
使用时经常需要根据既有列表创建全新的列表。这篇主要介绍复制列表的工作原理,以及复制列表可提供极大帮助的一种情形。
要复制列表,可创建一个包含整个列表的切片,方法时同时省略起始索引和终止索引([:])。这让Python创建一个始于第一元素,终止于最后一个元素的切片,即复制整个列表.
假设有一个列表,其中包含你最喜欢的四种食品

my_foods=['pizza','falafel','carrot cake']#先创立了一个列表
friend_foods=my_foods[:]#在不指定任何索引的情况下从列表中提取出一个切片,从而建立一个副本
print("my favorite foods are:")
print(my_foods)
print("\nmy friend's favorite foods are:")
print(friend_foods)

运行结果

my favorite foods are:
['pizza', 'falafel', 'carrot cake']

my friend's favorite foods are:
['pizza', 'falafel', 'carrot cake']

 

为核实我们确实有两个列表,在下面每个列表中都添加一种食品

my_foods.append('cannoli')
friend_foods.append('ice cream')
print("\nmy favorite foods are:")
print(my_foods)
print("\nmy friend's favorite foods are:")
print(friend_foods)

运行结果

my favorite foods are:
['pizza', 'falafel', 'carrot cake', 'cannoli']

my friend's favorite foods are:
['pizza', 'falafel', 'carrot cake', 'ice cream']

 

但是如果是“friend_foods=my_foods”就不是建立第二个副本


这篇关于Python——使用列表的一部分的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!


扫一扫关注最新编程教程