Python编程实现双链表,栈,队列及二叉树的方法示例


Posted in Python onNovember 01, 2017

本文实例讲述了Python编程实现双链表,栈,队列及二叉树的方法。分享给大家供大家参考,具体如下:

1.双链表

class Node(object):
  def __init__(self, value=None):
    self._prev = None
    self.data = value
    self._next = None
  def __str__(self):
    return "Node(%s)"%self.data
class DoubleLinkedList(object):
  def __init__(self):
    self._head = Node()
  def insert(self, value):
    element = Node(value)
    element._next = self._head
    self._head._prev = element
    self._head = element
  def search(self, value):
    if not self._head._next:
      raise ValueError("the linked list is empty")
    temp = self._head
    while temp.data != value:
      temp = temp._next
    return temp
  def delete(self, value):
    element = self.search(value)
    if not element:
      raise ValueError('delete error: the value not found')
    element._prev._next = element._next
    element._next._prev = element._prev
    return element.data
  def __str__(self):
    values = []
    temp = self._head
    while temp and temp.data:
      values.append(temp.data)
      temp = temp._next
    return "DoubleLinkedList(%s)"%values

2. 栈

class Stack(object):
  def __init__(self):
    self._top = 0
    self._stack = []
  def put(self, data):
    self._stack.insert(self._top, data)
    self._top += 1
  def pop(self):
    if self.isEmpty():
      raise ValueError('stack 为空')
    self._top -= 1
    data = self._stack[self._top]
    return data
  def isEmpty(self):
    if self._top == 0:
      return True
    else:
      return False
  def __str__(self):
    return "Stack(%s)"%self._stack

3.队列

class Queue(object):
  def __init__(self, max_size=float('inf')):
    self._max_size = max_size
    self._top = 0
    self._tail = 0
    self._queue = []
  def put(self, value):
    if self.isFull():
      raise ValueError("the queue is full")
    self._queue.insert(self._tail, value)
    self._tail += 1
  def pop(self):
    if self.isEmpty():
      raise ValueError("the queue is empty")
    data = self._queue.pop(self._top)
    self._top += 1
    return data
  def isEmpty(self):
    if self._top == self._tail:
      return True
    else:
      return False
  def isFull(self):
    if self._tail == self._max_size:
      return True
    else:
      return False
  def __str__(self):
    return "Queue(%s)"%self._queue

4. 二叉树(定义与遍历)

class Node:
  def __init__(self,item):
    self.item = item
    self.child1 = None
    self.child2 = None
class Tree:
  def __init__(self):
    self.root = None
  def add(self, item):
    node = Node(item)
    if self.root is None:
      self.root = node
    else:
      q = [self.root]
      while True:
        pop_node = q.pop(0)
        if pop_node.child1 is None:
          pop_node.child1 = node
          return
        elif pop_node.child2 is None:
          pop_node.child2 = node
          return
        else:
          q.append(pop_node.child1)
          q.append(pop_node.child2)
  def traverse(self): # 层次遍历
    if self.root is None:
      return None
    q = [self.root]
    res = [self.root.item]
    while q != []:
      pop_node = q.pop(0)
      if pop_node.child1 is not None:
        q.append(pop_node.child1)
        res.append(pop_node.child1.item)
      if pop_node.child2 is not None:
        q.append(pop_node.child2)
        res.append(pop_node.child2.item)
    return res
  def preorder(self,root): # 先序遍历
    if root is None:
      return []
    result = [root.item]
    left_item = self.preorder(root.child1)
    right_item = self.preorder(root.child2)
    return result + left_item + right_item
  def inorder(self,root): # 中序序遍历
    if root is None:
      return []
    result = [root.item]
    left_item = self.inorder(root.child1)
    right_item = self.inorder(root.child2)
    return left_item + result + right_item
  def postorder(self,root): # 后序遍历
    if root is None:
      return []
    result = [root.item]
    left_item = self.postorder(root.child1)
    right_item = self.postorder(root.child2)
    return left_item + right_item + result
t = Tree()
for i in range(10):
  t.add(i)
print('层序遍历:',t.traverse())
print('先序遍历:',t.preorder(t.root))
print('中序遍历:',t.inorder(t.root))
print('后序遍历:',t.postorder(t.root))

输出结果:

层次遍历: [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
先次遍历: [0, 1, 3, 7, 8, 4, 9, 2, 5, 6]
中次遍历: [7, 3, 8, 1, 9, 4, 0, 5, 2, 6]
后次遍历: [7, 8, 3, 9, 4, 1, 5, 6, 2, 0]

希望本文所述对大家Python程序设计有所帮助。

Python 相关文章推荐
Python SQLite3数据库日期与时间常见函数用法分析
Aug 14 Python
使用python和Django完成博客数据库的迁移方法
Jan 05 Python
Python3 实现随机生成一组不重复数并按行写入文件
Apr 09 Python
Python对象属性自动更新操作示例
Jun 15 Python
如何优雅地处理Django中的favicon.ico图标详解
Jul 05 Python
python画折线图的程序
Jul 26 Python
使用pandas实现csv/excel sheet互相转换的方法
Dec 10 Python
pyqt5实现按钮添加背景图片以及背景图片的切换方法
Jun 13 Python
python实现知乎高颜值图片爬取
Aug 12 Python
python实现用类读取文件数据并计算矩形面积
Jan 18 Python
Python super()方法原理详解
Mar 31 Python
jupyter notebook插入本地图片的实现
Apr 13 Python
Python栈算法的实现与简单应用示例
Nov 01 #Python
Python scikit-learn 做线性回归的示例代码
Nov 01 #Python
机器学习python实战之手写数字识别
Nov 01 #Python
Python定时器实例代码
Nov 01 #Python
机器学习python实战之决策树
Nov 01 #Python
详解Python开发中如何使用Hook技巧
Nov 01 #Python
python利用标准库如何获取本地IP示例详解
Nov 01 #Python
You might like
理解PHP5中static和const关键字的区别
2007/03/19 PHP
php获取通过http协议post提交过来xml数据及解析xml
2012/12/16 PHP
PHP 数据结构队列(SplQueue)和优先队列(SplPriorityQueue)简单使用实例
2015/05/12 PHP
PHP实现通过正则表达式替换回调的内容标签
2015/06/15 PHP
php+curl 发送图片处理代码分享
2015/07/09 PHP
Yii2.0框架behaviors方法使用实例分析
2019/09/30 PHP
接收键盘指令的脚本
2006/06/26 Javascript
javascript判断ie浏览器6/7版本加载不同样式表的实现代码
2011/12/26 Javascript
jQuery+css+html实现页面遮罩弹出框
2013/03/21 Javascript
浅谈Javascript如何实现匀速运动
2014/12/19 Javascript
浅谈javascript中的闭包
2015/05/13 Javascript
Bootstrap 布局组件(全)
2016/07/18 Javascript
JavaScript中校验银行卡号的实现代码
2016/12/19 Javascript
详解Nodejs内存治理
2018/05/13 NodeJs
JS实现求5的阶乘示例
2019/01/21 Javascript
微信小程序 wx:for遍历循环使用实例解析
2019/09/09 Javascript
小谈angular ng deploy的实现
2020/04/07 Javascript
利用python将图片转换成excel文档格式
2017/12/30 Python
python开启摄像头以及深度学习实现目标检测方法
2018/08/03 Python
对Python信号处理模块signal详解
2019/01/09 Python
Python3 pandas 操作列表实例详解
2019/09/23 Python
安装2019Pycharm最新版本的教程详解
2019/10/22 Python
python如何把字符串类型list转换成list
2020/02/18 Python
tensorflow常用函数API介绍
2020/04/19 Python
Python中三维坐标空间绘制的实现
2020/09/22 Python
python字典通过值反查键的实现(简洁写法)
2020/09/30 Python
Python模块常用四种安装方式
2020/10/20 Python
html5利用canvas实现颜色容差抠图功能
2019/12/23 HTML / CSS
GoDaddy英国:全球排名第一的域名注册商
2018/06/08 全球购物
PHP数据运算类型都有哪些
2013/11/05 面试题
房地产项目建议书
2014/03/12 职场文书
2014年五四青年节演讲比赛方案
2014/04/22 职场文书
校车安全责任书
2014/08/25 职场文书
小学班主任评语
2014/12/29 职场文书
法律服务所工作总结
2015/08/10 职场文书
Android开发实现极为简单的QQ登录页面
2022/04/24 Java/Android