list, dict的使用
list的使用
ori_list = [1, 2, 3]
append: 使用append为列表增加1个元素4
输出增加元素之后的列表
extend: 给定列表[8, 7, 6],将ori_list和给定的列表进行合并
输出合并后的列表
sort: 将合并后的列表进行排序: 并输出排序后的列表
reverse:将排序后的列表倒序并输出
ori_list = [1, 2, 3]
# append(self, object, /)
# Append object to the end of the list.
# pass
# append: 使用append为列表增加1个元素4
# 输出增加元素之后的列表
ori_list.append(4)
print(ori_list)
# extend: 给定列表[8, 7, 6],将ori_list和给定的列表进行合并
# 输出合并后的列表
# help(list.extend)
# extend(self, iterable, /)
# Extend list by appending elements from the iterable.
ori_list1 = [8, 7, 6]
ori_list1.extend(ori_list)
print(ori_list1)
# sort: 将合并后的列表进行排序: 并输出排序后的列表
# help(list.sort)
# sort(self, /, *, key=None, reverse=False)
# Sort the list in ascending order and return None.
#
# The sort is in-place (i.e. the list itself is modified) and stable (i.e. the
# order of two equal elements is maintained).
#
# If a key function is given, apply it once to each list item and sort them,
# ascending or descending, according to their function values.
#
# The reverse flag can be set to sort in descending order.
ori_list1.sort()
print(ori_list1)
# reverse:将排序后的列表倒序并输出
# help(list.reverse)
# reverse(self, /)
# Reverse *IN PLACE*.
ori_list1.reverse()
print(ori_list1)
dict的使用
ori_dict = {"张三": 18, "李四": 40, "王五": 34}
keys: 获取ori_dict中所有元素的key, 并输出
values: 获取ori_dict中所有元素的value 并输出
items: 获取ori_dict中所有的元素 并输出
增加元素: 给ori_dict增加元素: "赵六": 20
,输出增加元素后的字典
update: 给定{"孙悟空": 500, "猪八戒": 200},
将ori_dict和跟定字典合并,并输出合并的结果
ori_dict = {"张三": 18, "李四": 40, "王五": 43}
# keys: 获取ori_dict中所有元素的key, 并输出
# help(dict.keys)
# keys(...)
# D.keys() -> a set-like object providing a view on D's keys
ori_list2 = list(ori_dict.keys())
print(ori_list2)
# values: 获取ori_dict中所有元素的value 并输出
ori_list3 = list(ori_dict.values())
print(ori_list3)
# items: 获取ori_dict中所有的元素 并输出
# help(dict.items)
# items(...)
# D.items() -> a set-like object providing a view on D's items
ori_list4 = list(ori_dict.items())
print(ori_list4)
# 增加元素: 给ori_dict增加元素: "赵六": 20
# ,输出增加元素后的字典
ori_dict["赵六"] = 20
print(ori_dict)
# update: 给定{"孙悟空": 500, "猪八戒": 200},
# 将ori_dict和跟定字典合并,并输出合并的结果
ori_dict.update({"孙悟空": 500, "猪八戒": 200})
print(ori_dict)