2018-10-09拷贝和应用

拷贝

将变量中的值赋值一份,产生新的数据。然后将新的数据对应的地址返回
列表拷贝可以: [:] copy() 属于浅拷贝
浅拷贝:直接拷贝地址
深拷贝:将地址对应值拷贝,产生新的地址
import copy (导入拷贝模块)
copy.copy(对象):浅拷贝

a1 = [1, 2]
a2 = {'a': 10}
list1 = [a1, a2]
list2 = copy.copy(list1)
print(list2)
#[[1, 2], {'a': 10}, 100]

copy.deepcopy(对象):深拷贝

a1 = [1, 2]
a2 = {'a': 10}
list1 = [a1, a2]
list2 = copy.deepcopy(list1)
list2.append(1)
print(list2)
#[[1, 2], {'a': 10}, 1]

字典和列表的应用

列表的元素和字典的值可以是任何类型的数据

# 1.列表中有字典
persons = [
    {'name': '张三', 'age': 30, 'sex': '男'},
    {'name': '李四', 'age': 58, 'sex': '女'},
    {'name': '王五', 'age': 40, 'sex': '男'}
]
person = persons[1]
print(person) #{'name': '李四', 'age': 58, 'sex': '女'}
name = person['name']
print(name) #李四
# 找出persons中最大的年龄对应的名字
max1 = 0   # 当前最大的年龄
name = ''  # 当前最大年龄对应的名字
for item in persons:
    age = item['age']
    if age > max1:
        max1 = age
        name = item['name']

print(max1, name) #58 李四


# 2.字典中有列表
# 写一个程序,保存一个班级的信息,包含班级名,位置,所有学生(学生中需要保存名字,年龄和学校)
my_class = {
    'class_name': 'python1807',
    'location': '18-6',
    'all_students': [
        {'name': '小花', 'age': 18, 'school': '清华'},
        {'name': '小红', 'age': 19, 'school': '北大'},
        {'name': '小明', 'age': 20, 'school': '川大'}
    ]
}
print(my_class['all_students'][0]['school'])

# 练习:在班级中添加一个学生,姓名:老王, 年龄: 40, 学校:北大青鸟
# name = input('请输入名字:')
# age = int(input('请输入年龄:'))
# school = input('请输入学校:')
# # 根据输入的信息创建对应的学生
# student = {'name': name, 'age': age, 'school': school}
# # 将学生添加到班级的所有学生中
# my_class['all_students'].append(student)
# print(my_class)

# 练习2:删除班级中年龄小于20岁的学生~
# 取出所有学生
all_student = my_class['all_students']
# for student in all_student[:]:
#     if student['age'] < 20:
#         all_student.remove(student)
# print(my_class)

index = 0
while index < len(all_student):
    student = all_student[index]
    if student['age'] < 20:
        del all_student[index]
        continue
    index += 1
print(my_class)

清华
{'class_name': 'python1807', 'location': '18-6', 'all_students': [{'name': '小明', 'age': 20, 'school': '川大'}]}

你可能感兴趣的:(2018-10-09拷贝和应用)