mirror of
https://github.com/krahets/hello-algo.git
synced 2024-12-26 10:16:29 +08:00
034ee65e9a
* Fix the comment in array_deque.go * Fix the comment in bucket_sort.c * Translate the Java code comments to Chinese * Bug fixes * 二分查找 -> 二分搜尋 * Harmonize comments in `utils` between multiple programming languages
38 lines
693 B
Ruby
38 lines
693 B
Ruby
=begin
|
|
File: list_node.rb
|
|
Created Time: 2024-03-18
|
|
Author: Xuan Khoa Tu Nguyen (ngxktuzkai2000@gmail.com)
|
|
=end
|
|
|
|
### 链表节点类 ###
|
|
class ListNode
|
|
attr_accessor :val # 节点值
|
|
attr_accessor :next # 指向下一节点的引用
|
|
|
|
def initialize(val=nil, next_node=nil)
|
|
@val = val || 0
|
|
@next = next_node
|
|
end
|
|
end
|
|
|
|
### 将列表反序列化为链表 ###
|
|
def arr_to_linked_list(arr)
|
|
head = current = ListNode.new arr[0]
|
|
|
|
for i in 1...arr.length
|
|
current.next = ListNode.new arr[i]
|
|
current = current.next
|
|
end
|
|
|
|
head
|
|
end
|
|
|
|
### 将链表序列化为列表 ###
|
|
def linked_list_to_arr(head)
|
|
arr = []
|
|
|
|
while head
|
|
arr << head.val
|
|
head = head.next
|
|
end
|
|
end
|