python circular doubly linked list

2023-10-10 14:40

本文主要是介绍python circular doubly linked list,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

python的双向链表

  • 需求
  • 番外

最近写装饰器看了 functools.lru_cache 的源码1,里面发现了这样的代码:

    root = []                # root of the circular doubly linked listroot[:] = [root, root, None, None]     # initialize by pointing to self

类似的代码之前在 collections.OrderedDict 的源码里见过,之前也写过相关文章2 ,但再看依然理解不深,于是今天再来聊聊这个。

需求

  • lru_cache

    首先是记录和调整顺序(插入移动删除),由双向链表来实现;其次是通过键查询到值,由哈希表来实现。

  • OrderedDict

    先讲个题外话,虽然自 Python 3.7 之后,字典的顺序会确保为插入顺序,但是 OrderedDict 并没有被干掉,搜了下只发现了这个答案3,它谈到了 OrderedDict.move_to_end() 和比较相等时的顺序敏感性。
    那么 OrderedDict 需要啥呢,本质上和上面一样,哈希表查找快,但是数据无固定顺序;链表有顺序之分,插入删除快,但是查找慢,结合一下就是哈希双向链表。

在这里插入图片描述

因为经常需要对队头和队尾进行操作,为了简化算法,设置一个哨兵节点 root

    PREV, NEXT, KEY, RESULT = 0, 1, 2, 3   # names for the link fieldsroot = []                # root of the circular doubly linked listroot[:] = [root, root, None, None]     # initialize by pointing to self

root[PERV] 表示队尾的节点, root[NEXT] 表示队头的节点。

下面是一些操作

# 添加节点到队尾
# Put result in a new link at the front of the queue.
last = root[PREV]
link = [last, root, key, result]
last[NEXT] = root[PREV] = cache[key] = link# 移动节点到队尾
# Move the link to the front of the circular queue
link_prev, link_next, _key, result = link
link_prev[NEXT] = link_next
link_next[PREV] = link_prev
last = root[PREV]
last[NEXT] = root[PREV] = link
link[PREV] = last
link[NEXT] = root# 删除头节点并添加节点到队尾 这里把要删除的节点的key/result清空 变成新的哨兵节点 
# 旧哨兵节点直接存入添加节点的key/result
# Use the old root to store the new key and result.
oldroot = root
oldroot[KEY] = key
oldroot[RESULT] = result
# Empty the oldest link and make it the new root.
# Keep a reference to the old key and old result to
# prevent their ref counts from going to zero during the
# update. That will prevent potentially arbitrary object
# clean-up code (i.e. __del__) from running while we're
# still adjusting the links.
root = oldroot[NEXT]
oldkey = root[KEY]
oldresult = root[RESULT]
root[KEY] = root[RESULT] = None
# Now update the cache dictionary.
del cache[oldkey]
# Save the potentially reentrant cache[key] assignment
# for last, after the root and links have been put in
# a consistent state.
cache[key] = oldroot

关于 collections.OrderedDict 为什么舍弃掉这种写法,而使用了节点类和弱引用,我想就是因为 OrderedDict 里面有一些删除操作,在循环引用下可能会有内存的问题。

可以看到 lru_cache 装饰器里没有删除单个节点的操作,当缓存数量达到 maxsize 时,优化的算法没有先删除再添加,而是修改节点然后移动哨兵节点的位置。

番外

对函数传入的参数做哈希可以参考源码这部分,当然参数必须是可哈希的

class _HashedSeq(list):""" This class guarantees that hash() will be called no more than onceper element.  This is important because the lru_cache() will hashthe key multiple times on a cache miss."""__slots__ = 'hashvalue'def __init__(self, tup, hash=hash):self[:] = tupself.hashvalue = hash(tup)def __hash__(self):return self.hashvaluedef _make_key(args, kwds, typed,kwd_mark = (object(),),fasttypes = {int, str},tuple=tuple, type=type, len=len):"""Make a cache key from optionally typed positional and keyword argumentsThe key is constructed in a way that is flat as possible rather thanas a nested structure that would take more memory.If there is only a single argument and its data type is known to cacheits hash value, then that argument is returned without a wrapper.  Thissaves space and improves lookup speed."""# All of code below relies on kwds preserving the order input by the user.# Formerly, we sorted() the kwds before looping.  The new way is *much*# faster; however, it means that f(x=1, y=2) will now be treated as a# distinct call from f(y=2, x=1) which will be cached separately.key = argsif kwds:key += kwd_markfor item in kwds.items():key += itemif typed:key += tuple(type(v) for v in args)if kwds:key += tuple(type(v) for v in kwds.values())elif len(key) == 1 and type(key[0]) in fasttypes:return key[0]return _HashedSeq(key)

最后贴两篇也是分析 lru_cache 源码的文章4 5,别人都会实现双向链表,我好菜呜呜呜~

其他存替换策略(cache replacement policies)6


  1. https://github.com/python/cpython/blob/main/Lib/functools.py#L427 ↩︎

  2. https://blog.csdn.net/qq_41967784/article/details/105370492 ↩︎

  3. https://stackoverflow.com/a/50872567 ↩︎

  4. https://blog.51cto.com/nu1l/3584159 ↩︎

  5. https://www.cnblogs.com/TM0831/p/13268327.html ↩︎

  6. https://en.wikipedia.org/wiki/Cache_replacement_policies ↩︎

这篇关于python circular doubly linked list的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/181121

相关文章

python: 多模块(.py)中全局变量的导入

文章目录 global关键字可变类型和不可变类型数据的内存地址单模块(单个py文件)的全局变量示例总结 多模块(多个py文件)的全局变量from x import x导入全局变量示例 import x导入全局变量示例 总结 global关键字 global 的作用范围是模块(.py)级别: 当你在一个模块(文件)中使用 global 声明变量时,这个变量只在该模块的全局命名空

【C++】_list常用方法解析及模拟实现

相信自己的力量,只要对自己始终保持信心,尽自己最大努力去完成任何事,就算事情最终结果是失败了,努力了也不留遗憾。💓💓💓 目录   ✨说在前面 🍋知识点一:什么是list? •🌰1.list的定义 •🌰2.list的基本特性 •🌰3.常用接口介绍 🍋知识点二:list常用接口 •🌰1.默认成员函数 🔥构造函数(⭐) 🔥析构函数 •🌰2.list对象

【Python编程】Linux创建虚拟环境并配置与notebook相连接

1.创建 使用 venv 创建虚拟环境。例如,在当前目录下创建一个名为 myenv 的虚拟环境: python3 -m venv myenv 2.激活 激活虚拟环境使其成为当前终端会话的活动环境。运行: source myenv/bin/activate 3.与notebook连接 在虚拟环境中,使用 pip 安装 Jupyter 和 ipykernel: pip instal

【机器学习】高斯过程的基本概念和应用领域以及在python中的实例

引言 高斯过程(Gaussian Process,简称GP)是一种概率模型,用于描述一组随机变量的联合概率分布,其中任何一个有限维度的子集都具有高斯分布 文章目录 引言一、高斯过程1.1 基本定义1.1.1 随机过程1.1.2 高斯分布 1.2 高斯过程的特性1.2.1 联合高斯性1.2.2 均值函数1.2.3 协方差函数(或核函数) 1.3 核函数1.4 高斯过程回归(Gauss

【学习笔记】 陈强-机器学习-Python-Ch15 人工神经网络(1)sklearn

系列文章目录 监督学习:参数方法 【学习笔记】 陈强-机器学习-Python-Ch4 线性回归 【学习笔记】 陈强-机器学习-Python-Ch5 逻辑回归 【课后题练习】 陈强-机器学习-Python-Ch5 逻辑回归(SAheart.csv) 【学习笔记】 陈强-机器学习-Python-Ch6 多项逻辑回归 【学习笔记 及 课后题练习】 陈强-机器学习-Python-Ch7 判别分析 【学

nudepy,一个有趣的 Python 库!

更多资料获取 📚 个人网站:ipengtao.com 大家好,今天为大家分享一个有趣的 Python 库 - nudepy。 Github地址:https://github.com/hhatto/nude.py 在图像处理和计算机视觉应用中,检测图像中的不适当内容(例如裸露图像)是一个重要的任务。nudepy 是一个基于 Python 的库,专门用于检测图像中的不适当内容。该

pip-tools:打造可重复、可控的 Python 开发环境,解决依赖关系,让代码更稳定

在 Python 开发中,管理依赖关系是一项繁琐且容易出错的任务。手动更新依赖版本、处理冲突、确保一致性等等,都可能让开发者感到头疼。而 pip-tools 为开发者提供了一套稳定可靠的解决方案。 什么是 pip-tools? pip-tools 是一组命令行工具,旨在简化 Python 依赖关系的管理,确保项目环境的稳定性和可重复性。它主要包含两个核心工具:pip-compile 和 pip

HTML提交表单给python

python 代码 from flask import Flask, request, render_template, redirect, url_forapp = Flask(__name__)@app.route('/')def form():# 渲染表单页面return render_template('./index.html')@app.route('/submit_form',

Collection List Set Map的区别和联系

Collection List Set Map的区别和联系 这些都代表了Java中的集合,这里主要从其元素是否有序,是否可重复来进行区别记忆,以便恰当地使用,当然还存在同步方面的差异,见上一篇相关文章。 有序否 允许元素重复否 Collection 否 是 List 是 是 Set AbstractSet 否

Python QT实现A-star寻路算法

目录 1、界面使用方法 2、注意事项 3、补充说明 用Qt5搭建一个图形化测试寻路算法的测试环境。 1、界面使用方法 设定起点: 鼠标左键双击,设定红色的起点。左键双击设定起点,用红色标记。 设定终点: 鼠标右键双击,设定蓝色的终点。右键双击设定终点,用蓝色标记。 设置障碍点: 鼠标左键或者右键按着不放,拖动可以设置黑色的障碍点。按住左键或右键并拖动,设置一系列黑色障碍点