Python 实现链表实例代码


Posted in Python onApril 07, 2017

Python 实现链表实例代码

前言

算法和数据结构是一个亘古不变的话题,作为一个程序员,掌握常用的数据结构实现是非常非常的有必要的。

实现清单

实现链表,本质上和语言是无关的。但是灵活度却和实现它的语言密切相关。今天用Python来实现一下,包含如下操作:

['addNode(self, data)']
['append(self, value)']
['prepend(self, value)']
['insert(self, index, value)']
['delNode(self, index)']
['delValue(self, value)']
['isempty(self)']
['truncate(self)']
['getvalue(self, index)']
['peek(self)']
['pop(self)']
['reverse(self)']
['delDuplecate(self)']
['updateNode(self, index, value)']
['size(self)']
['print(self)']

生成这样的一个方法清单肯定是不能手动写了,要不然得多麻烦啊,于是我写了个程序,来匹配这些自己实现的方法。代码比较简单,核心思路就是匹配源文件的每一行,找到符合匹配规则的内容,并添加到总的结果集中。

代码如下:

# coding: utf8

# @Author: 郭 璞
# @File: getmethods.py                                 
# @Time: 2017/4/5                  
# @Contact: 1064319632@qq.com
# @blog: http://blog.csdn.net/marksinoberg
# @Description: 获取一个模块或者类中的所有方法及参数列表

import re

def parse(filepath, repattern):
  with open(filepath, 'rb') as f:
    lines = f.readlines()
  # 预解析正则
  rep = re.compile(repattern)
  # 创建保存方法和参数列表的结果集列表
  result = []
  # 开始正式的匹配实现
  for line in lines:
    res = re.findall(rep, str(line))
    print("{}的匹配结果{}".format(str(line), res))
    if len(res)!=0 or res is not None:
      result.append(res)
    else:
      continue
  return [item for item in result if item !=[]]


if __name__ == '__main__':
  repattern = "def (.[^_0-9]+\(.*?\)):"
  filepath = './SingleChain.py'
  result = parse(filepath, repattern)
  for item in result:
    print(str(item))

链表实现

# coding: utf8

# @Author: 郭 璞
# @File: SingleChain.py                                 
# @Time: 2017/4/5                  
# @Contact: 1064319632@qq.com
# @blog: http://blog.csdn.net/marksinoberg
# @Description: 单链表实现

class Node(object):
  def __init__(self, data, next):
    self.data = data
    self.next = next

class LianBiao(object):

  def __init__(self):
    self.root = None

  # 给单链表添加元素节点
  def addNode(self, data):
    if self.root==None:
      self.root = Node(data=data, next=None)
      return self.root
    else:
      # 有头结点,则需要遍历到尾部节点,进行链表增加操作
      cursor = self.root
      while cursor.next!= None:
        cursor = cursor.next
      cursor.next = Node(data=data, next=None)
      return self.root

  # 在链表的尾部添加新节点,底层调用addNode方法即可
  def append(self, value):
    self.addNode(data=value)

  # 在链表首部添加节点
  def prepend(self, value):
    if self.root == None:
      self.root = Node(value, None)
    else:
      newroot = Node(value, None)
      # 更新root索引
      newroot.next = self.root
      self.root = newroot

  # 在链表的指定位置添加节点
  def insert(self, index, value):
    if self.root == None:
      return
    if index<=0 or index >self.size():
      print('index %d 非法, 应该审视一下您的插入节点在整个链表的位置!')
      return
    elif index==1:
      # 如果index==1, 则在链表首部添加即可
      self.prepend(value)
    elif index == self.size()+1:
      # 如果index正好比当前链表长度大一,则添加在尾部即可
      self.append(value)
    else:
      # 如此,在链表中部添加新节点,直接进行添加即可。需要使用计数器来维护插入未知
      counter = 2
      pre = self.root
      cursor = self.root.next
      while cursor!=None:
        if counter == index:
          temp = Node(value, None)
          pre.next = temp
          temp.next = cursor
          break
        else:
          counter += 1
          pre = cursor
          cursor = cursor.next

  # 删除指定位置上的节点
  def delNode(self, index):
    if self.root == None:
      return
    if index<=0 or index > self.size():
      return
    # 对第一个位置需要小心处理
    if index == 1:
      self.root = self.root.next
    else:
      pre = self.root
      cursor = pre.next
      counter = 2
      while cursor!= None:
        if index == counter:
          print('can be here!')
          pre.next = cursor.next
          break
        else:
          pre = cursor
          cursor = cursor.next
          counter += 1

  # 删除值为value的链表节点元素
  def delValue(self, value):
    if self.root == None:
      return
    # 对第一个位置需要小心处理
    if self.root.data == value:
      self.root = self.root.next
    else:
      pre = self.root
      cursor = pre.next
      while cursor!=None:
        if cursor.data == value:
          pre.next = cursor.next
          # 千万记得更新这个节点,否则会出现死循环。。。
          cursor = cursor.next
          continue
        else:
          pre = cursor
          cursor = cursor.next

  # 判断链表是否为空
  def isempty(self):
    if self.root == None or self.size()==0:
      return True
    else:
      return False

  # 删除链表及其内部所有元素
  def truncate(self):
    if self.root == None or self.size()==0:
      return
    else:
      cursor = self.root
      while cursor!= None:
        cursor.data = None
        cursor = cursor.next
      self.root = None
      cursor = None

  # 获取指定位置的节点的值
  def getvalue(self, index):
    if self.root is None or self.size()==0:
      print('当前链表为空!')
      return None
    if index<=0 or index>self.size():
      print("index %d不合法!"%index)
      return None
    else:
      counter = 1
      cursor = self.root
      while cursor is not None:
        if index == counter:
          return cursor.data
        else:
          counter += 1
          cursor = cursor.next

  # 获取链表尾部的值,且不删除该尾部节点
  def peek(self):
    return self.getvalue(self.size())

  # 获取链表尾部节点的值,并删除该尾部节点
  def pop(self):
    if self.root is None or self.size()==0:
      print('当前链表已经为空!')
      return None
    elif self.size()==1:
      top = self.root.data
      self.root = None
      return top
    else:
      pre = self.root
      cursor = pre.next
      while cursor.next is not None:
        pre = cursor
        cursor = cursor.next
      top = cursor.data
      cursor = None
      pre.next = None
      return top

  # 单链表逆序实现
  def reverse(self):
    if self.root is None:
      return
    if self.size()==1:
      return
    else:
      # post = None
      pre = None
      cursor = self.root
      while cursor is not None:
        # print('逆序操作逆序操作')
        post = cursor.next
        cursor.next = pre
        pre = cursor
        cursor = post
      # 千万不要忘记了把逆序后的头结点赋值给root,否则无法正确显示
      self.root = pre

  # 删除链表中的重复元素
  def delDuplecate(self):
    # 使用一个map来存放即可,类似于变形的“桶排序”
    dic = {}
    if self.root == None:
      return
    if self.size() == 1:
      return
    pre = self.root
    cursor = pre.next
    dic = {}
    # 为字典赋值
    temp = self.root
    while temp!=None:
      dic[str(temp.data)] = 0
      temp = temp.next
    temp = None
    # 开始实施删除重复元素的操作
    while cursor!=None:
      if dic[str(cursor.data)] == 1:
        pre.next = cursor.next
        cursor = cursor.next
      else:
        dic[str(cursor.data)] += 1
        pre = cursor
        cursor = cursor.next


  # 修改指定位置节点的值
  def updateNode(self, index, value):
    if self.root == None:
      return
    if index<0 or index>self.size():
      return
    if index == 1:
      self.root.data = value
      return
    else:
      cursor = self.root.next
      counter = 2
      while cursor!=None:
        if counter == index:
          cursor.data = value
          break
        cursor = cursor.next
        counter += 1


  # 获取单链表的大小
  def size(self):
    counter = 0
    if self.root == None:
      return counter
    else:
      cursor = self.root
      while cursor!=None:
        counter +=1
        cursor = cursor.next
      return counter


  # 打印链表自身元素
  def print(self):
    if(self.root==None):
      return
    else:
      cursor = self.root
      while cursor!=None:
        print(cursor.data, end='\t')
        cursor = cursor.next
      print()


if __name__ == '__main__':
  # 创建一个链表对象
  lianbiao = LianBiao()
  # 判断当前链表是否为空
  print("链表为空%d"%lianbiao.isempty())
  # 判断当前链表是否为空
  lianbiao.addNode(1)
  print("链表为空%d"%lianbiao.isempty())
  # 添加一些节点,方便操作
  lianbiao.addNode(2)
  lianbiao.addNode(3)
  lianbiao.addNode(4)
  lianbiao.addNode(6)
  lianbiao.addNode(5)
  lianbiao.addNode(6)
  lianbiao.addNode(7)
  lianbiao.addNode(3)
  # 打印当前链表所有值
  print('打印当前链表所有值')
  lianbiao.print()
  # 测试对链表求size的操作
  print("链表的size: "+str(lianbiao.size()))
  # 测试指定位置节点值的获取
  print('测试指定位置节点值的获取')
  print(lianbiao.getvalue(1))
  print(lianbiao.getvalue(lianbiao.size()))
  print(lianbiao.getvalue(7))
  # 测试删除链表中指定值, 可重复性删除
  print('测试删除链表中指定值, 可重复性删除')
  lianbiao.delNode(4)
  lianbiao.print()
  lianbiao.delValue(3)
  lianbiao.print()
  # 去除链表中的重复元素
  print('去除链表中的重复元素')
  lianbiao.delDuplecate()
  lianbiao.print()
  # 指定位置的链表元素的更新测试
  print('指定位置的链表元素的更新测试')
  lianbiao.updateNode(6, 99)
  lianbiao.print()
  # 测试在链表首部添加节点
  print('测试在链表首部添加节点')
  lianbiao.prepend(77)
  lianbiao.prepend(108)
  lianbiao.print()
  # 测试在链表尾部添加节点
  print('测试在链表尾部添加节点')
  lianbiao.append(99)
  lianbiao.append(100)
  lianbiao.print()
  # 测试指定下标的插入操作
  print('测试指定下标的插入操作')
  lianbiao.insert(1, 10010)
  lianbiao.insert(3, 333)
  lianbiao.insert(lianbiao.size(), 99999)
  lianbiao.print()
  # 测试peek 操作
  print('测试peek 操作')
  print(lianbiao.peek())
  lianbiao.print()
  # 测试pop 操作
  print('测试pop 操作')
  print(lianbiao.pop())
  lianbiao.print()
  # 测试单链表的逆序输出
  print('测试单链表的逆序输出')
  lianbiao.reverse()
  lianbiao.print()
  # 测试链表的truncate操作
  print('测试链表的truncate操作')
  lianbiao.truncate()
  lianbiao.print()

代码运行的结果如何呢?是否能满足我们的需求,且看打印的结果:

D:\Software\Python3\python.exe E:/Code/Python/Python3/CommonTest/datastructor/SingleChain.py
链表为空1
链表为空0
打印当前链表所有值
1  2  3  4  6  5  6  7  3  
链表的size: 9
测试指定位置节点值的获取
1
3
6
测试删除链表中指定值, 可重复性删除
can be here!
1  2  3  6  5  6  7  3  
1  2  6  5  6  7  
去除链表中的重复元素
1  2  6  5  7  
指定位置的链表元素的更新测试
1  2  6  5  7  
测试在链表首部添加节点
108 77 1  2  6  5  7  
测试在链表尾部添加节点
108 77 1  2  6  5  7  99 100 
测试指定下标的插入操作
10010  108 333 77 1  2  6  5  7  99 99999  100 
测试peek 操作
100
10010  108 333 77 1  2  6  5  7  99 99999  100 
测试pop 操作
100
10010  108 333 77 1  2  6  5  7  99 99999  
测试单链表的逆序输出
99999  99 7  5  6  2  1  77 333 108 10010  
测试链表的truncate操作

Process finished with exit code 0

刚好实现了目标需求。

总结

今天的内容还是比较基础,也没什么难点。但是看懂和会写还是两码事,没事的时候写写这样的代码还是很有收获的。

Python 相关文章推荐
Python实现过滤单个Android程序日志脚本分享
Jan 16 Python
Python中使用PyQt把网页转换成PDF操作代码实例
Apr 23 Python
Python中用PIL库批量给图片加上序号的教程
May 06 Python
Django Highcharts制作图表
Aug 27 Python
python cx_Oracle模块的安装和使用详细介绍
Feb 13 Python
python微信跳一跳系列之棋子定位像素遍历
Feb 26 Python
在django view中给form传入参数的例子
Jul 19 Python
Django框架组成结构、基本概念与文件功能分析
Jul 30 Python
Django使用unittest模块进行单元测试过程解析
Aug 02 Python
python numpy之np.random的随机数函数使用介绍
Oct 06 Python
python中for in的用法详解
Apr 17 Python
python用Tkinter做自己的中文代码编辑器
Sep 07 Python
python中如何使用朴素贝叶斯算法
Apr 06 #Python
python获取当前运行函数名称的方法实例代码
Apr 06 #Python
python爬取w3shcool的JQuery课程并且保存到本地
Apr 06 #Python
使用Python对SQLite数据库操作
Apr 06 #Python
使用Python对MySQL数据操作
Apr 06 #Python
windows 10下安装搭建django1.10.3和Apache2.4的方法
Apr 05 #Python
Python使用迭代器捕获Generator返回值的方法
Apr 05 #Python
You might like
PHP教程 基本语法
2009/10/23 PHP
php操作xml
2013/10/27 PHP
PHP使用range协议实现输出文件断点续传代码实例
2014/07/04 PHP
php array 转json及java 转换 json数据格式操作示例
2019/11/13 PHP
网站页面自动跳转实现方法PHP、JSP(上)
2010/08/01 Javascript
查看源码的工具 学习jQuery源码不错的工具
2011/12/26 Javascript
JavaScript 高级篇之函数 (四)
2012/04/07 Javascript
jQuery插件slides实现无缝轮播图特效
2015/04/17 Javascript
jQuery过滤HTML标签并高亮显示关键字的方法
2015/08/07 Javascript
JS实现按比例缩放图片的方法(附C#版代码)
2015/12/08 Javascript
实例详解jQuery结合GridView控件的使用方法
2016/01/04 Javascript
JQuery validate插件Remote用法大全
2016/05/15 Javascript
JavaScript 事件对内存和性能的影响
2017/01/22 Javascript
Jquery实时监听input value的实例
2017/01/26 Javascript
Vue子组件向父组件通信与父组件调用子组件中的方法
2018/06/22 Javascript
深入理解Vue 组件之间传值
2018/08/16 Javascript
layui实现数据分页功能(ajax异步)
2019/07/27 Javascript
JS秒杀倒计时功能完整实例【使用jQuery3.1.1】
2019/09/03 jQuery
React 父子组件通信的实现方法
2019/12/05 Javascript
vue实现分页加载效果
2019/12/24 Javascript
Echarts.js无法引入问题解决方案
2020/10/30 Javascript
Python Django框架实现应用添加logging日志操作示例
2019/05/17 Python
python操作小程序云数据库实现简单的增删改查功能
2019/06/06 Python
使用Django搭建web服务器的例子(最最正确的方式)
2019/08/29 Python
python中数据库like模糊查询方式
2020/03/02 Python
django使用JWT保存用户登录信息
2020/04/22 Python
python能自学吗
2020/06/18 Python
html5 桌面提醒:Notifycations应用介绍
2012/11/27 HTML / CSS
canvas离屏技术与放大镜实现代码示例
2018/08/31 HTML / CSS
STUBHUB日本:购买和出售全球活动门票
2018/07/01 全球购物
品学兼优的大学生自我评价
2013/09/20 职场文书
公司管理建议书范文
2014/03/12 职场文书
个人求职信格式范文
2015/03/20 职场文书
广播稿:校园广播稿范文
2019/04/17 职场文书
PyQt5 显示超清高分辨率图片的方法
2021/04/11 Python
Python自动化之批量处理工作簿和工作表
2021/06/03 Python