学习 Go 语言数据结构:实现双链表(上)

简介: 双链表 (Doubly Linked List),每个节点持有一个指向列表前一个元素的指针,以及指向下一个元素的指针。

双链表

双链表 (Doubly Linked List),每个节点持有一个指向列表前一个元素的指针,以及指向下一个元素的指针。

image.png


双向链表的节点中包含 3 个字段:


  • 数据域 Value
  • 一个 Next 指针指向双链表中的下一个节点
  • 一个 Prev 指针,指向双链表中的前一个节点


结构体如下:

type Node struct {
  Prev  *Node
  Value int
  Next  *Node
}


image.png


实际应用: 音乐播放器的播放列表,使用双向链表可以快速访问上一个歌曲和下一首歌曲。

创建节点

func CreateNewNode(value int) *Node {
  var node Node
  node.Next = nil
  node.Value = value
  node.Prev = nil
  return &node
}

双链表遍历

双向链表的遍历与单链表的遍历类似。我们必须首先检查一个条件:链表是否为空。这有助于将开始指针设置在适当的位置。之后我们访问每个节点直到结束。

func TraverseDoublyLinkedList(head *Node) {
  if head == nil {
    fmt.Println("-> Empty list!")
    return
  }
  for head != nil {
    if head.Next != nil {
      fmt.Printf("%d <-> ", head.Value)
    } else {
      fmt.Printf("%d ", head.Value)
    }
    head = head.Next
  }
  fmt.Println()
}


为了测试,我们的完整代码:

package main
import "fmt"
type Node struct {
  Prev  *Node
  Value int
  Next  *Node
}
func CreateNewNode(value int) *Node {
  var node Node
  node.Next = nil
  node.Value = value
  node.Prev = nil
  return &node
}
func TraverseDoublyLinkedList(head *Node) {
  if head == nil {
    fmt.Println("-> Empty list!")
    return
  }
  for head != nil {
    if head.Next != nil {
      fmt.Printf("%d <-> ", head.Value)
    } else {
      fmt.Printf("%d ", head.Value)
    }
    head = head.Next
  }
  fmt.Println()
}
func main() {
  // 1 <-> 2 <-> 3 <-> 4 <-> 5
  head := CreateNewNode(1)
  node_2 := CreateNewNode(2)
  node_3 := CreateNewNode(3)
  node_4 := CreateNewNode(4)
  node_5 := CreateNewNode(5)
  head.Next = node_2
  node_2.Prev = head
  node_2.Next = node_3
  node_3.Prev = node_2
  node_3.Next = node_4
  node_4.Prev = node_3
  node_4.Next = node_5
  TraverseDoublyLinkedList(head)
}


运行该程序:

$ go run main.go
1 <-> 2 <-> 3 <-> 4 <-> 5 


image.png

相关文章
|
3天前
|
安全 网络协议 Go
Go语言网络编程
【10月更文挑战第28天】Go语言网络编程
89 65
|
3天前
|
网络协议 安全 Go
Go语言进行网络编程可以通过**使用TCP/IP协议栈、并发模型、HTTP协议等**方式
【10月更文挑战第28天】Go语言进行网络编程可以通过**使用TCP/IP协议栈、并发模型、HTTP协议等**方式
23 13
|
3天前
|
网络协议 安全 Go
Go语言的网络编程基础
【10月更文挑战第28天】Go语言的网络编程基础
17 8
|
2天前
|
Go
go语言的复数常量
【10月更文挑战第21天】
13 6
|
2天前
|
Go
go语言的浮点型常量
【10月更文挑战第21天】
9 4
|
2天前
|
编译器 Go
go语言的整型常量
【10月更文挑战第21天】
8 3
|
3天前
|
Go
go语言编译时常量表达式
【10月更文挑战第20天】
11 3
|
2天前
|
Serverless Go
Go语言中的并发编程:从入门到精通
本文将深入探讨Go语言中并发编程的核心概念和实践,包括goroutine、channel以及sync包等。通过实例演示如何利用这些工具实现高效的并发处理,同时避免常见的陷阱和错误。
|
3天前
|
安全 Go 开发者
代码之美:Go语言并发编程的优雅实现与案例分析
【10月更文挑战第28天】Go语言自2009年发布以来,凭借简洁的语法、高效的性能和原生的并发支持,赢得了众多开发者的青睐。本文通过两个案例,分别展示了如何使用goroutine和channel实现并发下载网页和构建并发Web服务器,深入探讨了Go语言并发编程的优雅实现。
10 2
|
3天前
|
Go
go语言常量的类型
【10月更文挑战第20天】
9 2