Golang でのリンク リスト データ構造の設計と実装
はじめに:
リンク リストは、一連のノードを格納するために使用される一般的なデータ構造です。各ノードにはデータと次のノードへのポインタが含まれています。 Golang では、構造体とポインターを使用してリンク リストを実装できます。
type Node struct { data interface{} // 存储数据 next *Node // 指向下一个节点的指针 } type LinkedList struct { head *Node // 链表头节点的指针 }
func NewLinkedList() *LinkedList { return &LinkedList{} }
next
ポインタを新しいノードにポイントします。 func (list *LinkedList) Insert(data interface{}) { newNode := &Node{data: data} // 创建新节点 if list.head == nil { // 链表为空 list.head = newNode // 直接将新节点设为头节点 } else { current := list.head for current.next != nil { current = current.next // 找到链表的最后一个节点 } current.next = newNode // 将新节点链接到最后一个节点的next指针 } }
next
ポインタを削除されたノードの next
ポインタに設定する必要があります。 func (list *LinkedList) Delete(data interface{}) { if list.head == nil { return // 链表为空,无需删除 } if list.head.data == data { // 头节点需要删除 list.head = list.head.next return } current := list.head for current.next != nil { if current.next.data == data { // 找到要删除节点的前一个节点 current.next = current.next.next return } current = current.next } }
func (list *LinkedList) Traverse() { if list.head == nil { return // 链表为空 } current := list.head for current != nil { fmt.Println(current.data) current = current.next } }
func main() { list := NewLinkedList() // 创建一个新链表 list.Insert(1) // 插入节点1 list.Insert(2) // 插入节点2 list.Insert(3) // 插入节点3 list.Traverse() // 遍历链表,输出: 1 2 3 list.Delete(2) // 删除节点2 list.Traverse() // 遍历链表,输出: 1 3 }
結論:
Golang では、構造体とポインタを使用することで、リンク リストのデータ構造を簡単に実装できます。 。リンクされたリストの挿入、削除、および走査操作も非常にシンプルかつ明確であり、実際の問題に簡単に適用できます。
以上がGolangでリンクリストのデータ構造を設計・実装するの詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。