首页 > Python基础教程 >
-
python collections模块示例详解
collections模块是Python标准库中的一个模块,提供了一些有用的数据结构,用于扩展内置的数据类型。
collections模块包含以下几个重要的数据结构:
OrderedDict:有序字典,以插入的顺序保存元素。可以按照添加的顺序遍历字典。
defaultdict:默认字典,当访问不存在的键时,会返回一个默认值,而不会抛出KeyError异常。
Counter:计数器,用于统计可哈希对象的频率。可以快速计算一个序列中每个元素出现的次数。
deque:双端队列,可以在两端高效地添加和删除元素。比列表的操作更快,并且支持线程安全的操作。
namedtuple:命名元组,可以创建一个具有命名字段的元组类。可以通过字段名访问元组的元素,而不是使用索引。
这些数据结构在不同的场景下非常有用,可以提供更高效的数据操作和更方便的数据访问方式。可以根据具体需求选择合适的数据结构来提升代码的性能和可读性。
示例代码
Counter(计数器)
Counter类是一个简单的计数器,可以用于统计可哈希对象的出现次数。
from collections import Counter
words = ['apple', 'banana', 'apple', 'orange', 'banana', 'apple']
word_count = Counter(words)
print(word_count) # 输出:Counter({'apple': 3, 'banana': 2, 'orange': 1})
print(word_count['apple']) # 输出:3
print(word_count['banana']) # 输出:2
print(word_count['grape']) # 输出:0
defaultdict(默认字典)
defaultdict类是一个字典,它提供了一个默认值,当访问不存在的键时返回指定的默认值。
from collections import defaultdict
fruit_dict = defaultdict(int)
fruit_dict['apple'] += 1
fruit_dict['banana'] += 2
print(fruit_dict) # 输出:defaultdict(<class 'int'>, {'apple': 1, 'banana': 2})
print(fruit_dict['apple']) # 输出:1
print(fruit_dict['orange']) # 输出:0(int类型的默认值)
deque(双端队列)
deque类是一个双端队列,支持从队列的两端进行操作。
from collections import deque
queue = deque(['apple', 'banana', 'orange'])
queue.append('grape') # 在队列末尾添加元素
queue.appendleft('melon') # 在队列头部添加元素
print(queue) # 输出:deque(['melon', 'apple', 'banana', 'orange', 'grape'])
queue.pop() # 移除队列末尾的元素
queue.popleft() # 移除队列头部的元素
print(queue) # 输出:deque(['apple', 'banana', 'orange'])
这只是collections模块中的几个类和它们的示例,还有其他一些类和方法可以在需要时进一步探索和使用。
到此这篇关于python collections模块详解的文章就介绍到这了,更多相关python collections模块内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!
原文链接:https://blog.csdn.net/weixin_46530492/article/details/142928600