数据结构链表之单向链表:Python3 实现单向链表——1

Python3 实现单向链表

链表定义与简介

  • 定义:链表与顺序表(Python中列表)性质相反,链表是物理单元上非顺序的、非连续的,在逻辑顺序上其数据元素是通过指针实现的,组成链表的每一个元素也可以叫做链表的节点,节点可以在运行时动态生成
    在这里插入图片描述
    单向链表中所有的元素也可以称之为节点,每个节点包含两个区域,如上图item区域称为数据域,next区域为指针域,单向链表中尾节点的判断只需判断该节点的指针(next)是否指向空即可。

链表(Linked list)与顺序表(Sequence list)的主要差异

  • 顺序表的内存地址是连续的,其数据元素有对应唯一的索引,搜索时非常方便,但进行元素插入时较麻烦,每次插入元素,其后所有元素都要移动一位。
  • 而链表内存地址是非连续、非顺序的,逻辑顺序由指针实现,在插入元素时只需将指定位置的前一个元素的指针断开,并指向要插入的元素的节点,然后插入的元素指针再指向下一个节点即可,但是在查询元素时,需要从头结点开始一个一个遍历寻找。

由于链表不是必须按顺序存储,链表在插入的时候可以达到O(1)的复杂度,比线性表顺序表快得多,但是查找一个节点或者访问特定编号的节点则需要O(n)的时间,而线性表和顺序表相应的时间复杂度分别是O(logn)和O(1)。

定义单链表

# 定义节点
class Node:def __init__(self, item):self.item = itemself.next = None# 定义链表
class SingleLinkList:def __init__(self):self._head = Noneif __name__ == '__main__':# 创建链表link_list = SingleLinkList()# 创建结点node1 = Node(1)node2 = Node(2)# 将结点添加到链表link_list._head = node1# 将第一个结点的next指针指向下一结点node1.next = node2# 访问链表print("head", link_list._head)  # 访问第一个结点数据print(link_list._head.item)  # 访问第一个结点数据print(link_list._head.next.item)  # 访问第二个结点数据

一个简单的链表,没有增删改查等功能,操作十分不便

接下来对其,进行一部分常用功能实现:

  1. 清空元素clear(),断开头结点的指针,长度为0
  2. 展示元素的值show_items()
  3. 获取元素get_value_by_index(),以偏移量获取元素的值,超出偏移量会报错IndexErorr,可以是负偏移
  4. 判断链表是否为空is_empty()
  5. 返回链表长度length()
  6. 在指定位置插入insert(),当超过实际长度,在最后插入;当为负数倒序选择插入,负数的绝对值大于实际长度则在最前面插入
  7. 在末尾追加元素append()
  8. 指定偏移量移除元素remove(),超过偏移量,抛出IndexErorr,可以使用负偏移
  9. 判断一个元素是否存在于链表is_exist(),存在返回True,否则返回False
  10. 返回元素的偏移indexOf()

代码实现

class Node:"""The nodes of single linked list"""def __init__(self, item):self.item = itemself.next = Noneclass SingleLinkedList:def __init__(self):"""Initialize the head and the length of single linked list"""self.head = Nonedef clear(self):"""CLear a linked list"""self.head = Nonedef show_items(self):"""Show all the elements of linked list"""if self.is_empty():return Nonecur = self.headwhile cur.next:yield cur.itemcur = cur.nextyield cur.itemdef get_value_by_index(self, index):"""Get a value by index"""node = self.headindex = self.length()+index if index < 0 else indexif index < 0:raise IndexError('index out of range')try:for i in range(index):node = node.nextreturn node.itemexcept AttributeError as e:raise IndexError('index out of range')def is_empty(self):"""Judge if a linked list is empty"""return self.head is Nonedef length(self):"""Return the elements number of a linked list"""cur = self.headif not cur:return 0count = 1while cur.next:count += 1cur = cur.nextreturn countdef insert(self, index, item):"""Insert an element before the given index of a node"""node = Node(item)length = self.length()# Empty list, append directlyif not self.head:self.append(item)if index < 0 and (index + length) >= 0:index += length# index>0if index > 0:cur = self.headwhile cur.next:if index <= 1:breakcur = cur.nextindex -= 1node.next = cur.nextcur.next = nodeelif index == 0 or index + length < 0:temp = self.headnode.next = tempself.head = nodedef append(self, item):"""Append elements to the end of a linked list"""node = Node(item)if self.is_empty():self.head = nodeelse:cur = self.headwhile cur.next:cur = cur.nextcur.next = nodedef remove(self, index):"""Remove an element by index"""if not -self.length() - 1 < index < self.length():raise IndexError('remove index out of range')if index < 0:index += self.length()print(f"index", index)if index == 0:print("Get into ")self.head = self.head.nextelse:cur = self.headpre = curwhile index > 0:pre = curcur = cur.nextindex -= 1pre.next = cur.nextdef is_exist(self, item):"""Judge if an element in linked-list"""return item in self.show_items()def indexOf(self, item):"""Return a given item's index where is the first appearance in the list"""return list(self.show_items()).index(item)

验证功能

if __name__ == '__main__':SLL = SingleLinkedList()print(f"If the linked list is empty?: {SLL.is_empty()}")# Append elements to the endfor i in range(5):SLL.append(i)print(f"Show all items:{list(SLL.show_items())}")print(f"The length of {SLL.__class__.__name__}: {SLL.length()}")# _index>0_index, _item = 9, 11SLL.insert(_index, _item)print(f"Insert {_item} before linked list[{_index}]: {list(SLL.show_items())}")# _index=0_index, _item = 0, 22SLL.insert(_index, _item)print(f"Insert {_item} before linked list[{_index}]: {list(SLL.show_items())}")# _index<0 and length+_index>0_index, _item = -3, 33SLL.insert(_index, _item)print(f"Insert {_item} before linked list[{_index}]: {list(SLL.show_items())}")# _index<0 and length+_index<0_index, _item = -21, 44SLL.insert(_index, _item)print(f"Insert {_item} before linked list[{_index}]: {list(SLL.show_items())}")_index = -5SLL.remove(_index)print(f"Remove an element by index[{_index}]: {list(SLL.show_items())}")# Get a value by index, if index out of range, throw a IndexError_index = 3print(f"Get a value by index[{_index}], its value: {SLL.get_value_by_index(3)}")_item = 44print(f"If item:[{_item}] in linked list {SLL.__class__.__name__}? {SLL.is_exist(_item)} ")# CLear a linked listprint(f"The linked list has been cleared: {SLL.__class__.__name__}: {SLL.clear()}")print(f"The length of {SLL.__class__.__name__}: {SLL.length()}")

结果

If the linked list is empty?: True
Show all items:[0, 1, 2, 3, 4]
The length of SingleLinkedList: 5
Insert 11 before linked list[9]: [0, 1, 2, 3, 4, 11]
Insert 22 before linked list[0]: [22, 0, 1, 2, 3, 4, 11]
Insert 33 before linked list[-3]: [22, 0, 1, 2, 33, 3, 4, 11]
Insert 44 before linked list[-21]: [44, 22, 0, 1, 2, 33, 3, 4, 11]
Remove an element by index[-5]: [44, 22, 0, 1, 33, 3, 4, 11]
Get a value by index[3], its value: 1
If item:[44] in linked list SingleLinkedList? True 
The linked list has been cleared: SingleLinkedList: None
The length of SingleLinkedList: 0

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/469586.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

智慧交通day04-特定目标车辆追踪03:siamese在目标跟踪中的应用-汇总

总结&#xff1a; Siamese网络衡量两个输入的相似程度&#xff0c;输出是一个[0,1]的浮点数&#xff0c;表示二者的相似程度。孪生神经网络有两个输入&#xff08;Input1 and Input2&#xff09;,将两个输入feed进入两个神经网络&#xff08;Network1 and Network2&#xff09…

C语言(贪心法)

C语言有这样一个规则&#xff0c;每一个符号应该包含尽可能多的字符。也就是说&#xff0c;编译器将程序分解成符号的方法是&#xff0c;从左到右一个一个字符地读入&#xff0c;如果字条可能组成一个符号&#xff0c;那么再读入下一个字符&#xff0c;判断已经读入的两个字符组…

数据结构链表之双向链表:Python3 实现双向链表——2

Python3 实现双向链表 双向链表 定义&#xff1a;双向链表是链表中的一种&#xff0c;双向链表也叫双链表&#xff0c;它由多个节点组成&#xff0c;每个节点由一个数据域和两个指针域组成&#xff0c;一个指针指向前驱元素&#xff0c;一个指向后继元素 双向链表一般用来构…

linux驱动之ioctl

大部分驱动除了需要具备读写设备的能力之外&#xff0c;还需要具备对硬件控制的能力。 一、在用户空间&#xff0c;使用ioctl系统调用来控制设备&#xff0c;原型如下&#xff1a; int ioctl(int fd,unsigned long cmd,...); /* fd:文件描述符 cmd:控制命令 ...:可选参数:插入*…

轮播图的无限轮播

简介 在现在的一些App中常常见到图片轮播器&#xff0c;一般用于展示广告、新闻等数据&#xff0c;在iOS内并没有现成的控件直接实现这种功能&#xff0c;但是通过UIScrollView的允许分页设置&#xff0c;可以实现滚动轮播的功能。 轮播原理 UIScrollView对象有pagingEnable成员…

数据结构链表之单链表的快慢指针——3

单链表之快慢指针 单链表的快慢指针简介 快慢指针指链表中定义两个指针&#xff0c;两个指针的移动速度一快一慢&#xff0c;一般快指针移动步长为慢指针的两倍 快慢指针适合解决的几个典型问题 中间值问题单向链表是否有环问题有环链表的入口问题 先定义一个简单的节点 …

C语言产随机数

#include "stdio.h" #include "stdlib.h" #include "time.h"void main(void) {int i;srand((unsigned)time(NULL));while(1){irand()%100;printf("%d\n",i);} }

【Pytorch神经网络基础理论篇】 04 线性代数

同学你好&#xff01;本文章于2021年末编写&#xff0c;已与实际存在较大的偏差&#xff01; 故在2022年末对本系列进行填充与更新&#xff0c;欢迎大家订阅最新的专栏&#xff0c;获取基于Pytorch1.10版本的理论代码(2023版)实现&#xff0c; Pytorch深度学习理论篇(2023版)…

Bootstrap实现弹出框和提示框效果代码

一、Bootstrap弹出框使用过JQuery UI应该知道&#xff0c;它里面有一个dialog的弹出框组件&#xff0c;功能也很丰富。与jQuery UI的dialog类似&#xff0c;Bootstrap里面也内置了弹出框组件。打开bootstrap 文档可以看到它的dialog是直接嵌入到bootstrap.js和bootstrap.css里面…

数据结构链表之循环链表——4

循环链表与约瑟夫问题 循环链表定义 定义&#xff1a;循环链表的定义十分简单&#xff0c;只需使一条单链表的尾部结点指向头结点&#xff0c;即可完成循环链表 循环链表的构建 class Node:def __init__(self, item):self.item itemself.next Nonefirst Node(aa) secon…

【Pytorch神经网络基础理论篇】 05 矩阵计算

同学你好&#xff01;本文章于2021年末编写&#xff0c;已与实际存在较大的偏差&#xff01; 故在2022年末对本系列进行填充与更新&#xff0c;欢迎大家订阅最新的专栏&#xff0c;获取基于Pytorch1.10版本的理论代码(2023版)实现&#xff0c; Pytorch深度学习理论篇(2023版)…

统计iOS项目的总代码行数的方法

1、打开终端&#xff0c; 2、用cd命令 定位到工程所在的目录&#xff0c;然后调用以下命名即可把每个源代码文件行数及总数统计出来&#xff1a; find . "(" -name "*.m" -or -name "*.mm" -or -name "*.cpp" -or -name "*.h&quo…

【Pytorch神经网络基础理论篇】 06 自动求导+导数与微分

同学你好&#xff01;本文章于2021年末编写&#xff0c;已与实际存在较大的偏差&#xff01; 故在2022年末对本系列进行填充与更新&#xff0c;欢迎大家订阅最新的专栏&#xff0c;获取基于Pytorch1.10版本的理论代码(2023版)实现&#xff0c; Pytorch深度学习理论篇(2023版)…

EXPORT_SYMBOL

linux2.6的“/prob/kallsyms”文件对应着内核符号表&#xff0c;记录了符号以及符号所在的内存地址。 模块可以使用如下宏导出符号到内核符号表&#xff1a; [c-sharp] view plaincopy EXPORT_SYMBOL(符号名); EXPORT_SYMBOL_GPL(符号名) 导出的符号可以被其他模块使用&…

数据结构链表之栈,Python3简单实现——5

数据结构链表之栈 栈的概述 定义&#xff1a;栈是一种基于先进后出(FILO)的数据结构&#xff0c;是一种只能在一段进行插入和删除操作的特殊线性表。引入名词&#xff1a;将数据存入栈的动作称为压栈&#xff0c;将数据取出栈的动作称为弹栈栈的特点&#xff1a;先进入栈的元…

【转】【Linux】linux awk命令详解

简介 awk是一个强大的文本分析工具&#xff0c;相对于grep的查找&#xff0c;sed的编辑&#xff0c;awk在其对数据分析并生成报告时&#xff0c;显得尤为强大。简单来说awk就是把文件逐行的读入&#xff0c;以空格为默认分隔符将每行切片&#xff0c;切开的部分再进行各种分析处…

8X25Q充电部分软件梳理(CP侧)

分享链接&#xff1a;http://note.youdao.com/share/?id4f6665eee6bad5ea27eee47f74bcfa4b&typenote 8X25Q充电部分软件梳理&#xff08;CP侧&#xff09; 作者&#xff1a;韦启发 目录 1、过放电池的充电阶段介绍... 2 2、Autonomous充电介绍... 5 3、USB充电器检测... 6…

【Pytorch神经网络基础理论篇】 08 Softmax 回归 + 损失函数 + 图片分类数据集

同学你好&#xff01;本文章于2021年末编写&#xff0c;已与实际存在较大的偏差&#xff01; 故在2022年末对本系列进行填充与更新&#xff0c;欢迎大家订阅最新的专栏&#xff0c;获取基于Pytorch1.10版本的理论代码(2023版)实现&#xff0c; Pytorch深度学习理论篇(2023版)…

CI Weekly #11 | 微服务场景下的自动化测试与持续部署

又一周过去了&#xff0c;最近我们的工程师正在搞一个“大事情” ——「flow.ci 配置文件」&#xff0c;稍微剧透一下&#xff0c;这个功能预计会在春节前上线。详情请大家关注 flow.ci Changelog 或其他官方通知:) 本期 CI Weekly 收录了的CI/CD实践、微服务自动化测试与持续部…