当前分类:python>>正文

Python字典:高效存储和管理键值对数据

来源:互联网   更新时间:2023年8月22日  

Python 笔记

字典是Python中最常用的数据结构之一,它是一种无序的、可变的、有键的集合。字典存储键值对数据,对于需要快速查找和修改具有很高的效率。本文将从多个方面详细介绍Python字典的使用方法。

一、字典的创建与访问

1、创建字典

# 创建一个空字典
dict1 = {}

# 创建含有元素的字典
dict2 = {'apple': 1, 'banana': 2, 'orange': 3}

# 使用dict()方法创建字典
dict3 = dict(apple=1, banana=2, orange=3)

2、访问字典

# 获取字典所有键
keys = dict2.keys()
print(keys)  # dict_keys(['apple', 'banana', 'orange'])

# 获取字典所有值
values = dict2.values()
print(values)  # dict_values([1, 2, 3])

# 获取指定键对应的值
value = dict2['apple']
print(value)  # 1

# 使用get()方法获取指定键对应的值,不存在返回None或指定的默认值
value = dict2.get('pear')
print(value)  # None

value = dict2.get('pear', 'not found')
print(value)  # not found

二、字典的遍历和修改

1、遍历字典

# 遍历所有键值对
for key, value in dict2.items():
    print(key, value)

# 遍历所有键
for key in dict2.keys():
    print(key)

# 遍历所有值
for value in dict2.values():
    print(value)

2、修改字典

# 添加键值对
dict2['pear'] = 4

# 修改键值对
dict2['apple'] = 5

# 删除键值对
del dict2['orange']

三、字典的常用方法

1、clear()方法清空字典

dict2.clear()
print(dict2)  # {}

2、copy()方法复制字典

dict3 = dict2.copy()
print(dict3)  # {'apple': 5, 'banana': 2, 'pear': 4}

# 修改复制后的字典不影响原字典
dict3['apple'] = 6
print(dict2)  # {'apple': 5, 'banana': 2, 'pear': 4}
print(dict3)  # {'apple': 6, 'banana': 2, 'pear': 4}

3、fromkeys()方法创建字典

# 创建一个只包含键的字典,值默认为None
dict4 = dict.fromkeys(['apple', 'banana', 'pear'])

# 创建一个只包含键的字典,值为指定的默认值
dict5 = dict.fromkeys(['apple', 'banana', 'pear'], 1)

print(dict4)  # {'apple': None, 'banana': None, 'pear': None}
print(dict5)  # {'apple': 1, 'banana': 1, 'pear': 1}

四、字典的应用场景

1、记录学生成绩

scores = {'张三': 90, '李四': 80, '王五': 70}

# 获取学生张三的成绩
score = scores['张三']
print(score)  # 90

# 遍历所有学生和成绩
for name, score in scores.items():
    print(name, score)

2、统计词频

text = 'This is a sentence. This is another sentence.'

words = text.split()

# 统计单词出现次数
freq = {}
for word in words:
    if word in freq:
        freq[word] += 1
    else:
        freq[word] = 1

print(freq)  # {'This': 2, 'is': 2, 'a': 1, 'sentence.': 2, 'another': 1}

3、存储配置信息

config = {'host': 'localhost', 'port': 3306, 'user': 'root', 'password': '123456'}

# 修改端口号
config['port'] = 3307

# 遍历所有配置信息
for key, value in config.items():
    print(key, value)

五、总结

本文详细介绍了Python字典的创建、访问、遍历、修改和常用方法,同时介绍了字典的应用场景。字典作为Python中最常用的数据结构之一,具有高效存储和管理键值对数据的特点,对于处理大量数据具有很大的优势。

本文固定链接:https://6yhj.com/leku-p-5529.html  版权所有,转载请保留本地址!
[猜你喜欢]

标签: python报错