rubyx/lib/sof/node.rb

51 lines
1.0 KiB
Ruby
Raw Normal View History

# We transform objects into a tree of nodes
module Sof
2014-08-16 11:34:25 +02:00
#abstract base class for nodes in the tree
class Node
2014-08-16 11:34:25 +02:00
# must be able to output to a stream
def out io ,level
raise "abstract #{self}"
end
end
class SimpleNode < Node
2014-08-16 14:16:07 +02:00
def initialize data
@data = data
end
2014-08-16 14:16:07 +02:00
attr_accessor :data
def out io , level
2014-08-16 14:16:07 +02:00
io.write(data) if data
end
end
2014-08-16 14:16:07 +02:00
class NodeList < SimpleNode
2014-08-16 11:34:25 +02:00
def initialize
2014-08-16 14:16:07 +02:00
super(nil)
@children = []
end
attr_accessor :children
def add child
2014-08-16 11:34:25 +02:00
child = SimpleNode.new(child) if(child.is_a? String)
@children << child
end
def out io , level = 0
2014-08-16 14:16:07 +02:00
super
return if @children.empty?
first = @children.first
io.write "-"
first.out(io , level + 1)
indent = " " * level
@children.each_with_index do |child , i|
next if i == 0 # done already
io.write "\n"
io.write indent
io.write "-"
child.out(io , level + 1)
end
end
end
end