Search
 
SCRIPT & CODE EXAMPLE
 

RUBY

linked list in ruby

# Full explanation & credit in the source link 

# ----- The Node class for linked list

class Node
  attr_accessor :next
  attr_reader   :value
  def initialize(value)
    @value = value
    @next  = nil
  end
  def to_s
    "Node with value: #{@value}"
  end
end

# ----- The LinkedList class

class LinkedList
  def initialize
    @head = nil
  end
  def append(value)
    if @head
      find_tail.next = Node.new(value)
    else
      @head = Node.new(value)
    end
  end
  def find_tail
    node = @head
    return node if !node.next
    return node if !node.next while (node = node.next)
  end
  def append_after(target, value)
    node           = find(target)
    return unless node
    old_next       = node.next
    node.next      = Node.new(value)
    node.next.next = old_next
  end
  def find(value)
    node = @head
    return false if !node.next
    return node  if node.value == value
    while (node = node.next)
      return node if node.value == value
    end
  end
  def delete(value)
    if @head.value == value
      @head = @head.next
      return
    end
    node      = find_before(value)
    node.next = node.next.next
  end
  def find_before(value)
    node = @head
    return false if !node.next
    return node  if node.next.value == value
    while (node = node.next)
      return node if node.next && node.next.value == value
    end
  end
  def print
    node = @head
    puts node
    while (node = node.next)
      puts node
    end
  end
end

# ----- an example 

list = LinkedList.new
list.append(10)
list.append(20)
list.append(30)
list.append_after(10, 15)
list.append_after(20, 25)
list.print # ---> 10, 15, 20, 25, 30
Comment

PREVIOUS NEXT
Code Example
Ruby :: ruby class 
Ruby :: super vs super() ruby 
Ruby :: rails logger stdout 
Ruby :: rails setup test db 
Ruby :: ruby array remove by index 
Ruby :: rails generate controller no respec 
Ruby :: rails add index specifc name 
Ruby :: heroku run rails c 
Ruby :: pg_ctl: no database directory specified and environment variable PGDATA unset 
Ruby :: rails change resource name 
Ruby :: transfer parameters in link_to rails 
Ruby :: true sting to true in rails 
Ruby :: rails loop through datetime 
Ruby :: string ruby 
Ruby :: ruby constructors 
Ruby :: resources rails 
Ruby :: List columns in table from console 
Ruby :: ros2 publish message command line 
Ruby :: ruby nth element of array 
Ruby :: sequel ruby different table name 
Ruby :: rails order nil last 
Ruby :: irb loaderror 
Ruby :: how to install webpck on ubuntu globally 
Ruby :: cloudbuild ruby googl 
Ruby :: rails class sti reminders 
R :: r convert string to list of characters 
R :: str_detect multiple patterns 
R :: create dataframe or table in r 
R :: combine columns in r 
R :: delete all rows that contain a string in R 
ADD CONTENT
Topic
Content
Source link
Name
6+8 =