到目前为止,我们每次都只处理一项用户信息:获取用户的输入,再将输入打印出来。然而,要记录大量的用户和信息,需要在while循环中使用列表和字典。
1.使用while处理列表
假设我们在动物园1中有几种动物,现在我们要将动物园1中的动物迁移到动物园2中。 详细代码如下:
z1 = ['cat', 'dog', 'rabbit', 'tiger'] # 动物园1
z2 = [] # 动物园2
while z1:
animal = z1.pop()
print(f"Now the animals we want to migrate is {animal}") # 展示即将迁移的动物
z2.append(animal) # 将迁移出来的动物加入动物园2中
print("\n There are some animals in the zoo 2 now:")
for z2_animal in z2:
print(z2_animal)
2.使用while处理字典
下面创建一个调查程序,收集程序员们最喜欢的编程语言是什么。在while循环中提示被调查者输入名字和喜欢的编程语言,存入字典中,然后询问是否继续调查,当输入no时,结束调查。
responses = {} # 先创建一个空字典,用于存储被调查者的名字和喜欢的语言
flag = True # 设置标志位,用于控制循环是否继续
while flag:
name = input("Please tell me your name:")
response = input("Please tell me your favorite languages:")
# 以名字为键,回答为值存入字典中
responses[name] = response
# 判断是否需要继续调查
repeat = input("Would you like to let another person respond?(yes/no):")
if repeat == 'no':
flag = False
print("\n Poll Results!")
for name, response in responses.items():
print(f"{name} would likes {response}")
总结:以两个小例子来说明在我们使用列表和字典的过程中使用while循环是非常方便的,可以收集、存储和组织大量的输入,供以后查看和显示。
|