diagram 0.2.1 → 0.3.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (50) hide show
  1. checksums.yaml +4 -4
  2. data/lib/diagrams/base.rb +246 -0
  3. data/lib/diagrams/class_diagram.rb +127 -2
  4. data/lib/diagrams/elements/class_entity.rb +28 -0
  5. data/lib/diagrams/elements/edge.rb +32 -0
  6. data/lib/diagrams/elements/event.rb +26 -0
  7. data/lib/diagrams/elements/node.rb +38 -0
  8. data/lib/diagrams/elements/relationship.rb +37 -0
  9. data/lib/diagrams/elements/slice.rb +27 -0
  10. data/lib/diagrams/elements/state.rb +28 -0
  11. data/lib/diagrams/elements/task.rb +27 -0
  12. data/lib/diagrams/elements/transition.rb +31 -0
  13. data/lib/diagrams/flowchart_diagram.rb +125 -4
  14. data/lib/diagrams/gantt_diagram.rb +97 -3
  15. data/lib/diagrams/pie_diagram.rb +111 -29
  16. data/lib/diagrams/state_diagram.rb +162 -4
  17. data/lib/diagrams/version.rb +1 -1
  18. data/lib/diagrams.rb +2 -2
  19. data/sig/diagrams/base.rbs +86 -0
  20. data/sig/diagrams/class_diagram.rbs +33 -0
  21. data/sig/diagrams/elements/class_entity.rbs +15 -0
  22. data/sig/diagrams/elements/edge.rbs +16 -0
  23. data/sig/diagrams/elements/event.rbs +14 -0
  24. data/sig/diagrams/elements/node.rbs +14 -0
  25. data/sig/diagrams/elements/relationship.rbs +16 -0
  26. data/sig/diagrams/elements/slice.rbs +14 -0
  27. data/sig/diagrams/elements/state.rbs +14 -0
  28. data/sig/diagrams/elements/task.rbs +16 -0
  29. data/sig/diagrams/elements/transition.rbs +15 -0
  30. data/sig/diagrams/elements/types.rbs +18 -0
  31. data/sig/diagrams/flowchart_diagram.rbs +32 -0
  32. data/sig/diagrams/gantt_diagram.rbs +29 -0
  33. data/sig/diagrams/pie_diagram.rbs +36 -0
  34. data/sig/diagrams/state_diagram.rbs +40 -0
  35. metadata +212 -22
  36. data/lib/diagrams/abstract_diagram.rb +0 -26
  37. data/lib/diagrams/class_diagram/class/field.rb +0 -15
  38. data/lib/diagrams/class_diagram/class/function/argument.rb +0 -14
  39. data/lib/diagrams/class_diagram/class/function.rb +0 -16
  40. data/lib/diagrams/class_diagram/class.rb +0 -12
  41. data/lib/diagrams/comparable.rb +0 -20
  42. data/lib/diagrams/flowchart_diagram/link.rb +0 -11
  43. data/lib/diagrams/flowchart_diagram/node.rb +0 -10
  44. data/lib/diagrams/gantt_diagram/section/task.rb +0 -13
  45. data/lib/diagrams/gantt_diagram/section.rb +0 -10
  46. data/lib/diagrams/pie_diagram/section.rb +0 -10
  47. data/lib/diagrams/plot.rb +0 -23
  48. data/lib/diagrams/state_diagram/event.rb +0 -10
  49. data/lib/diagrams/state_diagram/state.rb +0 -12
  50. data/lib/diagrams/state_diagram/transition.rb +0 -11
@@ -1,9 +1,130 @@
1
1
  # frozen_string_literal: true
2
2
 
3
+ require_relative 'base'
4
+ require_relative 'elements/node'
5
+ require_relative 'elements/edge'
6
+
3
7
  module Diagrams
4
- class FlowchartDiagram < AbstractDiagram
5
- attribute :id, Types::String
6
- attribute :nodes, Types::Array.of(Node)
7
- attribute :links, Types::Array.of(Link)
8
+ # Represents a flowchart diagram consisting of nodes and edges connecting them.
9
+ class FlowchartDiagram < Base
10
+ attr_reader :nodes, :edges
11
+
12
+ # Initializes a new FlowchartDiagram.
13
+ #
14
+ # @param nodes [Array<Element::Node>] An array of node objects.
15
+ # @param edges [Array<Element::Edge>] An array of edge objects.
16
+ # @param version [String, Integer, nil] User-defined version identifier.
17
+ def initialize(nodes: [], edges: [], version: 1)
18
+ super(version:)
19
+ @nodes = nodes.is_a?(Array) ? nodes : []
20
+ @edges = edges.is_a?(Array) ? edges : []
21
+ validate_elements!
22
+ update_checksum!
23
+ end
24
+
25
+ # Adds a node to the diagram.
26
+ #
27
+ # @param node [Element::Node] The node object to add.
28
+ # @raise [ArgumentError] if a node with the same ID already exists.
29
+ # @return [Element::Node] The added node.
30
+ def add_node(node)
31
+
32
+ raise ArgumentError, 'Node must be a Diagrams::Element::Node' unless node.is_a?(Diagrams::Elements::Node)
33
+ raise ArgumentError, "Node with ID '#{node.id}' already exists" if find_node(node.id)
34
+
35
+ @nodes << node
36
+ update_checksum!
37
+ node
38
+ end
39
+
40
+ # Adds an edge to the diagram.
41
+ #
42
+ # @param edge [Element::Edge] The edge object to add.
43
+ # @raise [ArgumentError] if the edge refers to non-existent node IDs.
44
+ # @return [Element::Edge] The added edge.
45
+ def add_edge(edge)
46
+
47
+ raise ArgumentError, 'Edge must be a Diagrams::Element::Edge' unless edge.is_a?(Diagrams::Elements::Edge)
48
+ unless find_node(edge.source_id) && find_node(edge.target_id)
49
+ raise ArgumentError, "Edge refers to non-existent node IDs ('#{edge.source_id}' or '#{edge.target_id}')"
50
+ end
51
+
52
+ @edges << edge
53
+ update_checksum!
54
+ edge
55
+ end
56
+
57
+ # Finds a node by its ID.
58
+ #
59
+ # @param node_id [String] The ID of the node to find.
60
+ # @return [Element::Node, nil] The found node or nil.
61
+ def find_node(node_id)
62
+ @nodes.find { |n| n.id == node_id }
63
+ end
64
+
65
+ # Returns the specific content of the flowchart diagram as a hash.
66
+ # Called by `Diagrams::Base#to_h`.
67
+ #
68
+ # @return [Hash{Symbol => Array<Hash>}]
69
+ def to_h_content
70
+ {
71
+ nodes: @nodes.map(&:to_h),
72
+ edges: @edges.map(&:to_h)
73
+ }
74
+ end
75
+
76
+ # Returns a hash mapping element types to their collections for diffing.
77
+ # @see Diagrams::Base#identifiable_elements
78
+ # @return [Hash{Symbol => Array<Diagrams::Elements::Node | Diagrams::Elements::Edge>}]
79
+ def identifiable_elements
80
+ {
81
+ nodes: @nodes,
82
+ edges: @edges
83
+ }
84
+ end
85
+
86
+ # Class method to create a FlowchartDiagram from a hash.
87
+ # Used by the deserialization factory in `Diagrams::Base`.
88
+ #
89
+ # @param data_hash [Hash] Hash containing `:nodes` and `:edges` arrays.
90
+ # @param version [String, Integer, nil] Diagram version.
91
+ # @param checksum [String, nil] Expected checksum (optional, for verification).
92
+ # @return [FlowchartDiagram] The instantiated diagram.
93
+ def self.from_h(data_hash, version:, checksum:)
94
+ nodes_data = data_hash[:nodes] || data_hash['nodes'] || []
95
+ edges_data = data_hash[:edges] || data_hash['edges'] || []
96
+
97
+ nodes =
98
+ nodes_data.map do |node_h|
99
+ Diagrams::Elements::Node.new(node_h.transform_keys(&:to_sym))
100
+ end
101
+ edges =
102
+ edges_data.map do |edge_h|
103
+ Diagrams::Elements::Edge.new(edge_h.transform_keys(&:to_sym))
104
+ end
105
+ diagram = new(nodes:, edges:, version:)
106
+
107
+ # Optional: Verify checksum if provided
108
+ if checksum && diagram.checksum != checksum
109
+ warn "Checksum mismatch for loaded FlowchartDiagram (version: #{version}). Expected #{checksum}, got #{diagram.checksum}."
110
+ # Or raise an error: raise "Checksum mismatch..."
111
+ end
112
+
113
+ diagram
114
+ end
115
+
116
+ private
117
+
118
+ # Validates the consistency of nodes and edges during initialization.
119
+ def validate_elements!
120
+ node_ids = @nodes.map(&:id)
121
+ raise ArgumentError, 'Duplicate node IDs found' unless node_ids.uniq.size == @nodes.size
122
+
123
+ @edges.each do |edge|
124
+ unless node_ids.include?(edge.source_id) && node_ids.include?(edge.target_id)
125
+ raise ArgumentError, "Edge refers to non-existent node IDs ('#{edge.source_id}' or '#{edge.target_id}')"
126
+ end
127
+ end
128
+ end
8
129
  end
9
130
  end
@@ -1,8 +1,102 @@
1
1
  # frozen_string_literal: true
2
2
 
3
+ require_relative 'base'
4
+ require_relative 'elements/task'
5
+
3
6
  module Diagrams
4
- class GanttDiagram < AbstractDiagram
5
- attribute :title, GanttDiagram::Types::String
6
- attribute :sections, GanttDiagram::Types::Array.of(Section)
7
+ # Represents a Gantt Chart diagram consisting of tasks over time.
8
+ class GanttDiagram < Base
9
+ attr_reader :title, :tasks
10
+
11
+ # Initializes a new GanttDiagram.
12
+ #
13
+ # @param title [String] The title of the Gantt chart.
14
+ # @param tasks [Array<Element::Task>] An array of task objects.
15
+ # @param version [String, Integer, nil] User-defined version identifier.
16
+ def initialize(title: '', tasks: [], version: 1)
17
+ super(version:)
18
+ @title = title.is_a?(String) ? title : ''
19
+ @tasks = tasks.is_a?(Array) ? tasks : []
20
+ validate_elements!
21
+ update_checksum!
22
+ end
23
+
24
+ # Adds a task to the diagram.
25
+ #
26
+ # @param task [Element::Task] The task object to add.
27
+ # @raise [ArgumentError] if a task with the same ID already exists.
28
+ # @return [Element::Task] The added task.
29
+ def add_task(task)
30
+ raise ArgumentError, 'Task must be a Diagrams::Elements::Task' unless task.is_a?(Diagrams::Elements::Task)
31
+ raise ArgumentError, "Task with ID '#{task.id}' already exists" if find_task(task.id)
32
+
33
+ @tasks << task
34
+ update_checksum!
35
+ task
36
+ end
37
+
38
+ # Finds a task by its ID.
39
+ #
40
+ # @param task_id [String] The ID of the task to find.
41
+ # @return [Element::Task, nil] The found task or nil.
42
+ def find_task(task_id)
43
+ @tasks.find { |t| t.id == task_id }
44
+ end
45
+
46
+ # Returns the specific content of the Gantt diagram as a hash.
47
+ # Called by `Diagrams::Base#to_h`.
48
+ #
49
+ # @return [Hash{Symbol => String | Array<Hash>}]
50
+ def to_h_content
51
+ {
52
+ title: @title,
53
+ tasks: @tasks.map(&:to_h)
54
+ }
55
+ end
56
+
57
+ # Returns a hash mapping element types to their collections for diffing.
58
+ # @see Diagrams::Base#identifiable_elements
59
+ # @return [Hash{Symbol => Array<Diagrams::Elements::Task>}]
60
+ def identifiable_elements
61
+ {
62
+ tasks: @tasks
63
+ }
64
+ end
65
+
66
+ # Class method to create a GanttDiagram from a hash.
67
+ # Used by the deserialization factory in `Diagrams::Base`.
68
+ #
69
+ # @param data_hash [Hash] Hash containing `:title` and `:tasks` array.
70
+ # @param version [String, Integer, nil] Diagram version.
71
+ # @param checksum [String, nil] Expected checksum (optional, for verification).
72
+ # @return [GanttDiagram] The instantiated diagram.
73
+ def self.from_h(data_hash, version:, checksum:)
74
+ title = data_hash[:title] || data_hash['title'] || ''
75
+ tasks_data = data_hash[:tasks] || data_hash['tasks'] || []
76
+
77
+ tasks = tasks_data.map { |task_h| Diagrams::Elements::Task.new(task_h.transform_keys(&:to_sym)) }
78
+
79
+ diagram = new(title:, tasks:, version:)
80
+
81
+ # Optional: Verify checksum if provided
82
+ if checksum && diagram.checksum != checksum
83
+ warn "Checksum mismatch for loaded GanttDiagram (version: #{version}). Expected #{checksum}, got #{diagram.checksum}."
84
+ # Or raise an error: raise "Checksum mismatch..."
85
+ end
86
+
87
+ diagram
88
+ end
89
+
90
+ private
91
+
92
+ # Validates the consistency of tasks during initialization.
93
+ def validate_elements!
94
+ task_ids = @tasks.map(&:id)
95
+ return if task_ids.uniq.size == @tasks.size
96
+
97
+ raise ArgumentError, 'Duplicate task IDs found'
98
+
99
+ # Add more validation if needed (e.g., date formats, dependencies)
100
+ end
7
101
  end
8
102
  end
@@ -1,48 +1,130 @@
1
1
  # frozen_string_literal: true
2
2
 
3
+ require_relative 'base'
4
+ require_relative 'elements/slice'
5
+
3
6
  module Diagrams
4
- class PieDiagram < AbstractDiagram
5
- attribute :id, Types::String.optional.default(nil)
6
- attribute :title, Types::String.optional.default('')
7
- attribute :sections, Types::Array.of(Section).optional.default([].freeze)
7
+ # Represents a Pie Chart diagram consisting of slices.
8
+ class PieDiagram < Base
9
+ attr_reader :title, :slices
10
+
11
+ # Initializes a new PieDiagram.
12
+ #
13
+ # @param title [String] The title of the pie chart.
14
+ # @param slices [Array<Element::Slice>] An array of slice objects.
15
+ # @param version [String, Integer, nil] User-defined version identifier.
16
+ def initialize(title: '', slices: [], version: 1)
17
+ super(version: version) # Corrected super call
18
+ @title = title.is_a?(String) ? title : ''
19
+ @slices = [] # Initialize empty
20
+ # Add initial slices using the corrected add_slice method
21
+ (slices.is_a?(Array) ? slices : []).each { |s| add_slice(s, update_checksum: false, initial_load: true) }
22
+ recalculate_percentages! # Calculate initial percentages
23
+ update_checksum! # Calculate final checksum after initial load
24
+ end
25
+
26
+ # Adds a slice to the diagram.
27
+ #
28
+ # @param slice [Element::Slice] The slice object to add.
29
+ # @raise [ArgumentError] if a slice with the same label already exists.
30
+ # @return [Element::Slice] The added slice.
31
+ # Added initial_load flag to skip checksum update during initialize loop
32
+ def add_slice(slice, update_checksum: true, initial_load: false)
33
+ raise ArgumentError, 'Slice must be a Diagrams::Elements::Slice' unless slice.is_a?(Diagrams::Elements::Slice)
34
+ raise ArgumentError, "Slice with label '#{slice.label}' already exists" if find_slice(slice.label)
8
35
 
9
- def type
10
- :pie
36
+ # Store a new instance to hold the calculated percentage later
37
+ # Ensure percentage is nil initially
38
+ new_slice_instance = slice.class.new(slice.attributes.except(:percentage))
39
+ @slices << new_slice_instance
40
+ recalculate_percentages! # Update percentages for all slices
41
+ update_checksum! if update_checksum && !initial_load # Avoid multiple checksums during init
42
+ new_slice_instance # Return the instance added to the array
11
43
  end
12
44
 
13
- def validate!
14
- raise EmptyDiagramError, 'Pie diagram must have at least one section' if sections.empty?
45
+ # Finds a slice by its label.
46
+ #
47
+ # @param label [String] The label of the slice to find.
48
+ # @return [Element::Slice, nil] The found slice or nil.
49
+ def find_slice(label)
50
+ @slices.find { |s| s.label == label }
51
+ end
52
+
53
+ # Calculates the total raw value of all slices.
54
+ # @return [Float]
55
+ def total_value
56
+ @slices.sum(&:value)
57
+ end
15
58
 
16
- return true if sections.map(&:label).uniq.size == sections.size
59
+ # Returns the specific content of the pie diagram as a hash.
60
+ # Called by `Diagrams::Base#to_h`.
61
+ #
62
+ # @return [Hash{Symbol => String | Array<Hash>}]
63
+ def to_h_content
64
+ {
65
+ title: @title,
66
+ # Ensure slices include calculated percentage in their hash
67
+ slices: @slices.map(&:to_h)
68
+ }
69
+ end
17
70
 
18
- raise DuplicateLabelError,
19
- 'Pie diagram sections must have unique labels'
71
+ # Returns a hash mapping element types to their collections for diffing.
72
+ # @see Diagrams::Base#identifiable_elements
73
+ # @return [Hash{Symbol => Array<Diagrams::Elements::Slice>}]
74
+ def identifiable_elements
75
+ {
76
+ slices: @slices
77
+ }
20
78
  end
21
79
 
22
- def plot
23
- circle_char = '*'
24
- pie_diameter = 10
25
- pie_radius = pie_diameter / 2.0
80
+ # Class method to create a PieDiagram from a hash.
81
+ # Used by the deserialization factory in `Diagrams::Base`.
82
+ #
83
+ # @param data_hash [Hash] Hash containing `:title` and `:slices` array.
84
+ # @param version [String, Integer, nil] Diagram version.
85
+ # @param checksum [String, nil] Expected checksum (optional, for verification).
86
+ # @return [PieDiagram] The instantiated diagram.
87
+ def self.from_h(data_hash, version:, checksum:)
88
+ title = data_hash[:title] || data_hash['title'] || ''
89
+ slices_data = data_hash[:slices] || data_hash['slices'] || []
26
90
 
27
- (-pie_radius.to_i..pie_radius.to_i).each do |i|
28
- (-pie_radius.to_i..pie_radius.to_i).each do |j|
29
- distance_to_center = Math.sqrt((i**2) + (j**2))
30
- if distance_to_center > pie_radius - 0.5 && distance_to_center < pie_radius + 0.5
31
- print circle_char
32
- else
33
- print ' '
34
- end
35
- end
36
- print "\n"
91
+ # Initialize with raw values, percentage will be recalculated by `new` -> `add_slice` -> `recalculate_percentages!`
92
+ slices = slices_data.map do |slice_h|
93
+ Diagrams::Elements::Slice.new(slice_h.transform_keys(&:to_sym).except(:percentage))
37
94
  end
38
95
 
39
- sections.each do |section|
40
- puts "#{section.label}: #{section.value}%"
96
+ diagram = new(title: title, slices: slices, version: version)
97
+
98
+ # Optional: Verify checksum if provided AFTER initialization is complete
99
+ if checksum && diagram.checksum != checksum
100
+ warn "Checksum mismatch for loaded PieDiagram (version: #{version}). Expected #{checksum}, got #{diagram.checksum}."
101
+ # Or raise an error: raise "Checksum mismatch..."
41
102
  end
103
+
104
+ diagram
42
105
  end
43
106
 
44
- def valid?
45
- validate!
107
+ private
108
+
109
+ # Recalculates the percentage for each slice based on the total value.
110
+ # This method modifies the @slices array in place by replacing Slice instances.
111
+ def recalculate_percentages!
112
+ total = total_value
113
+ new_slices = @slices.map do |slice|
114
+ percentage = total.zero? ? 0.0 : (slice.value / total * 100.0).round(2)
115
+ # Create a new instance with the calculated percentage
116
+ slice.class.new(slice.attributes.merge(percentage: percentage))
117
+ end
118
+ # Replace the entire array to ensure changes are reflected
119
+ @slices = new_slices
120
+ end
121
+
122
+ # Validates the consistency of slices during initialization.
123
+ def validate_elements!
124
+ labels = @slices.map(&:label)
125
+ return if labels.uniq.size == @slices.size
126
+
127
+ raise ArgumentError, 'Duplicate slice labels found'
46
128
  end
47
129
  end
48
130
  end
@@ -1,9 +1,167 @@
1
1
  # frozen_string_literal: true
2
2
 
3
+ require_relative 'base'
4
+ require_relative 'elements/state'
5
+ require_relative 'elements/transition'
6
+ require_relative 'elements/event' # Assuming events are still desired
7
+
3
8
  module Diagrams
4
- class StateDiagram < AbstractDiagram
5
- attribute :id, Types::String
6
- attribute :states, Types::Array.of(State)
7
- attribute :transitions, Types::Array.of(Transition)
9
+ # Represents a State Diagram consisting of states and transitions between them.
10
+ class StateDiagram < Base
11
+ attr_reader :title, :states, :transitions, :events
12
+
13
+ # Initializes a new StateDiagram.
14
+ #
15
+ # @param title [String] Optional title for the diagram.
16
+ # @param states [Array<Element::State>] An array of state objects.
17
+ # @param transitions [Array<Element::Transition>] An array of transition objects.
18
+ # @param events [Array<Element::Event>] An array of event objects (optional).
19
+ # @param version [String, Integer, nil] User-defined version identifier.
20
+ def initialize(title: '', states: [], transitions: [], events: [], version: 1)
21
+ super(version:)
22
+ @title = title.is_a?(String) ? title : ''
23
+ @states = states.is_a?(Array) ? states : []
24
+ @transitions = transitions.is_a?(Array) ? transitions : []
25
+ @events = events.is_a?(Array) ? events : [] # Keep events for now
26
+ validate_elements!
27
+ update_checksum!
28
+ end
29
+
30
+ # Adds a state to the diagram.
31
+ #
32
+ # @param state [Element::State] The state object to add.
33
+ # @raise [ArgumentError] if a state with the same ID already exists.
34
+ # @return [Element::State] The added state.
35
+ def add_state(state)
36
+ raise ArgumentError, 'State must be a Diagrams::Elements::State' unless state.is_a?(Diagrams::Elements::State)
37
+ raise ArgumentError, "State with ID '#{state.id}' already exists" if find_state(state.id)
38
+
39
+ @states << state
40
+ update_checksum!
41
+ state
42
+ end
43
+
44
+ # Adds a transition to the diagram.
45
+ #
46
+ # @param transition [Element::Transition] The transition object to add.
47
+ # @raise [ArgumentError] if the transition refers to non-existent state IDs.
48
+ # @return [Element::Transition] The added transition.
49
+ def add_transition(transition)
50
+ unless transition.is_a?(Diagrams::Elements::Transition)
51
+ raise ArgumentError,
52
+ 'Transition must be a Diagrams::Elements::Transition'
53
+ end
54
+ unless find_state(transition.source_state_id) && find_state(transition.target_state_id)
55
+ raise ArgumentError,
56
+ "Transition refers to non-existent state IDs ('#{transition.source_state_id}' or '#{transition.target_state_id}')"
57
+ end
58
+
59
+ @transitions << transition
60
+ update_checksum!
61
+ transition
62
+ end
63
+
64
+ # Adds an event to the diagram.
65
+ #
66
+ # @param event [Element::Event] The event object to add.
67
+ # @raise [ArgumentError] if an event with the same ID already exists.
68
+ # @return [Element::Event] The added event.
69
+ def add_event(event)
70
+ raise ArgumentError, 'Event must be a Diagrams::Elements::Event' unless event.is_a?(Diagrams::Elements::Event)
71
+ raise ArgumentError, "Event with ID '#{event.id}' already exists" if find_event(event.id)
72
+
73
+ @events << event
74
+ update_checksum!
75
+ event
76
+ end
77
+
78
+ # Finds a state by its ID.
79
+ #
80
+ # @param state_id [String] The ID of the state to find.
81
+ # @return [Element::State, nil] The found state or nil.
82
+ def find_state(state_id)
83
+ @states.find { |s| s.id == state_id }
84
+ end
85
+
86
+ # Finds an event by its ID.
87
+ #
88
+ # @param event_id [String] The ID of the event to find.
89
+ # @return [Element::Event, nil] The found event or nil.
90
+ def find_event(event_id)
91
+ @events.find { |e| e.id == event_id }
92
+ end
93
+
94
+ # Returns the specific content of the state diagram as a hash.
95
+ # Called by `Diagrams::Base#to_h`.
96
+ #
97
+ # @return [Hash{Symbol => String | Array<Hash>}]
98
+ def to_h_content
99
+ {
100
+ title: @title,
101
+ states: @states.map(&:to_h),
102
+ transitions: @transitions.map(&:to_h),
103
+ events: @events.map(&:to_h)
104
+ }
105
+ end
106
+
107
+ # Returns a hash mapping element types to their collections for diffing.
108
+ # @see Diagrams::Base#identifiable_elements
109
+ # @return [Hash{Symbol => Array<Diagrams::Elements::State | Diagrams::Elements::Transition | Diagrams::Elements::Event>}]
110
+ def identifiable_elements
111
+ {
112
+ states: @states,
113
+ transitions: @transitions,
114
+ events: @events
115
+ }
116
+ end
117
+
118
+ # Class method to create a StateDiagram from a hash.
119
+ # Used by the deserialization factory in `Diagrams::Base`.
120
+ #
121
+ # @param data_hash [Hash] Hash containing `:title`, `:states`, `:transitions`, `:events`.
122
+ # @param version [String, Integer, nil] Diagram version.
123
+ # @param checksum [String, nil] Expected checksum (optional, for verification).
124
+ # @return [StateDiagram] The instantiated diagram.
125
+ def self.from_h(data_hash, version:, checksum:)
126
+ title = data_hash[:title] || data_hash['title'] || ''
127
+ states_data = data_hash[:states] || data_hash['states'] || []
128
+ transitions_data = data_hash[:transitions] || data_hash['transitions'] || []
129
+ events_data = data_hash[:events] || data_hash['events'] || []
130
+
131
+ states = states_data.map { |state_h| Diagrams::Elements::State.new(state_h.transform_keys(&:to_sym)) }
132
+ transitions = transitions_data.map do |trans_h|
133
+ Diagrams::Elements::Transition.new(trans_h.transform_keys(&:to_sym))
134
+ end
135
+ events = events_data.map { |event_h| Diagrams::Elements::Event.new(event_h.transform_keys(&:to_sym)) }
136
+
137
+ diagram = new(title:, states:, transitions:, events:, version:)
138
+
139
+ # Optional: Verify checksum if provided
140
+ if checksum && diagram.checksum != checksum
141
+ warn "Checksum mismatch for loaded StateDiagram (version: #{version}). Expected #{checksum}, got #{diagram.checksum}."
142
+ # Or raise an error: raise "Checksum mismatch..."
143
+ end
144
+
145
+ diagram
146
+ end
147
+
148
+ private
149
+
150
+ # Validates the consistency of elements during initialization.
151
+ def validate_elements!
152
+ state_ids = @states.map(&:id)
153
+ raise ArgumentError, 'Duplicate state IDs found' unless state_ids.uniq.size == @states.size
154
+
155
+ event_ids = @events.map(&:id)
156
+ raise ArgumentError, 'Duplicate event IDs found' unless event_ids.uniq.size == @events.size
157
+
158
+ @transitions.each do |t|
159
+ unless state_ids.include?(t.source_state_id) && state_ids.include?(t.target_state_id)
160
+ raise ArgumentError,
161
+ "Transition refers to non-existent state IDs ('#{t.source_state_id}' or '#{t.target_state_id}')"
162
+ end
163
+ end
164
+ # Add more validation if needed (e.g., transition labels match event IDs?)
165
+ end
8
166
  end
9
167
  end
@@ -1,5 +1,5 @@
1
1
  # frozen_string_literal: true
2
2
 
3
3
  module Diagrams
4
- VERSION = '0.2.1'
4
+ VERSION = '0.3.0'
5
5
  end
data/lib/diagrams.rb CHANGED
@@ -1,7 +1,7 @@
1
1
  # frozen_string_literal: true
2
2
 
3
- require_relative 'diagrams/version'
4
- require 'dry-struct'
3
+ require 'zeitwerk'
4
+ require_relative 'diagrams/version' # Keep this for gemspec access before setup
5
5
 
6
6
  loader = Zeitwerk::Loader.for_gem
7
7
  loader.setup
@@ -0,0 +1,86 @@
1
+ module Diagrams
2
+ # Abstract base class for all diagram types.
3
+ # Provides common functionality like versioning, checksum calculation,
4
+ # serialization, and equality comparison.
5
+ class Base
6
+ # Provides `==`, `eql?`, and `hash` methods based on specified attributes.
7
+ include Dry::Equalizer
8
+
9
+ # User-defined version identifier (e.g., Integer or String).
10
+ attr_reader version: Integer | String
11
+
12
+ # SHA256 checksum of the diagram's content (hex string). Nil until calculated.
13
+ attr_reader checksum: String?
14
+
15
+ # Initializes the base diagram attributes.
16
+ # Subclasses should call super.
17
+ # Cannot be called directly on Diagrams::Base.
18
+ def initialize: (?version: Integer | String?) -> void
19
+
20
+ # Abstract method: Subclasses must implement this to return a hash
21
+ # representing their specific content, suitable for serialization.
22
+ # @return [Hash[Symbol, untyped]]
23
+ def to_h_content: () -> Hash[Symbol, untyped]
24
+
25
+ # Abstract method: Subclasses must implement this to return a hash
26
+ # mapping element type symbols (e.g., :nodes, :edges) to arrays
27
+ # of the corresponding element objects within the diagram.
28
+ # Used for comparison and diffing.
29
+ # @return [Hash[Symbol, Array[untyped]]] # More specific types in subclasses
30
+ def identifiable_elements: () -> Hash[Symbol, Array[untyped]]
31
+
32
+ # Returns a hash representation of the diagram, suitable for serialization.
33
+ # Includes common metadata and calls `#to_h_content` for specific data.
34
+ # @return [Hash[Symbol, untyped]]
35
+ def to_h: () -> Hash[Symbol, untyped]
36
+
37
+ # Returns a JSON string representation of the diagram.
38
+ # Delegates to `#to_h` and uses `JSON.generate`.
39
+ # @param args Any arguments accepted by `JSON.generate`.
40
+ # @return [String]
41
+ def to_json: (*untyped args) -> String
42
+
43
+ # --- Class methods for Deserialization ---
44
+
45
+ # Deserializes a diagram from a hash representation.
46
+ # Acts as a factory, dispatching to the appropriate subclass based on the 'type' field.
47
+ # @param hash [Hash[Symbol | String, untyped]] The hash representation.
48
+ # @return [Diagrams::Base] An instance of the specific diagram subclass.
49
+ def self.from_hash: (Hash[Symbol | String, untyped] hash) -> Diagrams::Base
50
+
51
+ # Deserializes a diagram from a JSON string.
52
+ # Parses the JSON and delegates to `.from_hash`.
53
+ # @param json_string [String] The JSON representation of the diagram.
54
+ # @return [Diagrams::Base] An instance of the specific diagram subclass.
55
+ def self.from_json: (String json_string) -> Diagrams::Base
56
+
57
+ # Performs a basic diff against another diagram object.
58
+ # @param other [Diagrams::Base] The diagram to compare against.
59
+ # @return [Hash[Symbol, Hash[Symbol, Array[untyped]]]] A hash describing differences.
60
+ def diff: (Diagrams::Base other) -> Hash[Symbol, Hash[Symbol, Array[untyped]]]
61
+
62
+ # --- End Deserialization Methods ---
63
+
64
+ # Recalculates the diagram's checksum based on its current content
65
+ # and updates the @checksum instance variable.
66
+ # Subclasses should call this after initialization and any mutation.
67
+ # @return [String?] The new checksum value.
68
+ def update_checksum!: () -> String?
69
+
70
+ private
71
+
72
+ # Computes the SHA256 checksum of the diagram's content.
73
+ # @return [String] The hex digest of the checksum.
74
+ def compute_checksum: () -> String
75
+ end
76
+
77
+ # --- Errors ---
78
+ class ValidationError < StandardError
79
+ end
80
+
81
+ class EmptyDiagramError < ValidationError
82
+ end
83
+
84
+ class DuplicateLabelError < ValidationError
85
+ end
86
+ end