Class: SvgConform::SemanticComparator

Inherits:
Object
  • Object
show all
Defined in:
lib/svg_conform/semantic_comparator.rb

Overview

Semantic comparison engine for comparing validation results and remediated content

Class Method Summary collapse

Class Method Details

.calculate_compatibility_score(comparison) ⇒ Object

Calculate compatibility score



405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
# File 'lib/svg_conform/semantic_comparator.rb', line 405

def self.calculate_compatibility_score(comparison)
  # Handle mixed mode scenarios differently
  return calculate_mixed_mode_compatibility_score(comparison) if comparison[:mixed_mode]

  validity_score = comparison[:overall_validity][:match] ? 1.0 : 0.0

  # Separate validation issues from informational issues
  validation_issues = {}
  informational_issues = {}

  comparison[:semantic_issues].each do |key, issue|
    if key.start_with?("style_promotion:", "informative:")
      informational_issues[key] = issue
    else
      validation_issues[key] = issue
    end
  end

  # Calculate semantic issues score for validation issues only
  if validation_issues.empty?
    semantic_score = 1.0
  else
    semantic_scores = validation_issues.values.map do |issue|
      issue[:semantic_match] ? 1.0 : 0.0
    end
    semantic_score = semantic_scores.sum / semantic_scores.length
  end

  # Calculate coverage score excluding informational issues
  total_svg_conform = comparison[:detailed_mapping][:total_svg_conform]
  total_svgcheck = comparison[:detailed_mapping][:total_svgcheck]

  # Subtract informational issues from both totals
  informational_svg_conform = informational_issues.values.sum do |issue|
    issue[:svg_conform]
  end
  informational_svgcheck = informational_issues.values.sum do |issue|
    issue[:svgcheck]
  end

  validation_svg_conform_total = total_svg_conform - informational_svg_conform
  validation_svgcheck_total = total_svgcheck - informational_svgcheck

  # Coverage score: how well do we cover the validation issues?
  # If SvgConform finds more issues than svgcheck, that's not a penalty
  coverage_score = if validation_svgcheck_total.positive?
                     # Standard case: measure how much of svgcheck we cover
                     [
                       validation_svg_conform_total.to_f / validation_svgcheck_total, 1.0
                     ].min
                   elsif validation_svg_conform_total.positive?
                     # SvgConform finds issues but svgcheck doesn't - this is fine (more strict)
                     1.0
                   else
                     # Both find no validation issues - perfect
                     1.0
                   end

  # Prioritize semantic matching over requirement categorization
  # Validity: 20%, Semantic Issues: 60%, Coverage: 20%
  (validity_score * 0.2 + semantic_score * 0.6 + coverage_score * 0.2).round(3)
end

.calculate_mixed_mode_compatibility_score(comparison) ⇒ Object

Calculate compatibility score for mixed mode scenarios



469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
# File 'lib/svg_conform/semantic_comparator.rb', line 469

def self.calculate_mixed_mode_compatibility_score(comparison)
  # In mixed mode, one tool succeeded and one failed
  # Focus on complementary validation rather than exact overlap

  # Separate validation issues from informational issues
  validation_issues = {}
  informational_issues = {}

  comparison[:semantic_issues].each do |key, issue|
    if key.start_with?("style_promotion:", "informative:")
      informational_issues[key] = issue
    else
      validation_issues[key] = issue
    end
  end

  # Calculate semantic overlap score (exact matches)
  if validation_issues.empty?
    semantic_overlap_score = 1.0
  else
    semantic_matches = validation_issues.values.count do |issue|
      issue[:semantic_match]
    end
    total_unique_issues = validation_issues.size
    semantic_overlap_score = semantic_matches.to_f / total_unique_issues
  end

  # Calculate complementary validation score with improved logic
  # Give significant credit when tools detect different but valid issues
  total_svg_conform = comparison[:detailed_mapping][:total_svg_conform]
  total_svgcheck = comparison[:detailed_mapping][:total_svgcheck]

  # Subtract informational issues from both totals
  informational_svg_conform = informational_issues.values.sum do |issue|
    issue[:svg_conform]
  end
  informational_svgcheck = informational_issues.values.sum do |issue|
    issue[:svgcheck]
  end

  validation_svg_conform_total = total_svg_conform - informational_svg_conform
  validation_svgcheck_total = total_svgcheck - informational_svgcheck

  # Count common issues (both tools detected)
  common_issues = comparison[:detailed_mapping][:common].size

  # Enhanced complementary validation scoring
  # Give high credit when both tools find issues, even if different types
  complementary_score = if validation_svg_conform_total.positive? && validation_svgcheck_total.positive?
                          # Both tools found validation issues - excellent complementary coverage
                          # Base score of 0.8, with bonus for common issues
                          base_score = 0.8
                          common_bonus = common_issues.positive? ? 0.15 : 0.0
                          [base_score + common_bonus, 1.0].min
                        elsif validation_svg_conform_total.positive? || validation_svgcheck_total.positive?
                          # One tool found issues - partial coverage
                          0.7
                        else
                          # Neither found validation issues - perfect (but unlikely in mixed mode)
                          1.0
                        end

  # Mixed mode remediation success bonus - enhanced
  # In mixed mode, successful remediation by either tool is valuable
  remediation_success_bonus = if comparison[:overall_validity][:svg_conform] || comparison[:overall_validity][:svgcheck]
                                # One tool successfully remediated the file
                                # Higher bonus if both tools found issues but one succeeded
                                if validation_svg_conform_total.positive? && validation_svgcheck_total.positive?
                                  0.5  # Both found issues, one succeeded - excellent
                                else
                                  0.4  # Standard remediation success
                                end
                              else
                                # Neither tool achieved validity (shouldn't happen in mixed mode)
                                0.0
                              end

  # Enhanced mixed mode scoring with higher weight on complementary validation
  # Semantic Overlap: 25%, Complementary Validation: 50%, Remediation Success: 25%
  # This better rewards comprehensive validation coverage
  (semantic_overlap_score * 0.25 + complementary_score * 0.5 + remediation_success_bonus * 0.25).round(3)
end

.calculate_semantic_equivalence(features1, features2) ⇒ Object

Calculate semantic equivalence



750
751
752
753
754
755
756
757
# File 'lib/svg_conform/semantic_comparator.rb', line 750

def self.calculate_semantic_equivalence(features1, features2)
  structure_score = features1[:structure][:elements] == features2[:structure][:elements] ? 1.0 : 0.0
  namespace_score = features1[:namespaces] == features2[:namespaces] ? 1.0 : 0.0
  content_score = features1[:content] == features2[:content] ? 1.0 : 0.0

  # Weighted average
  (structure_score * 0.4 + namespace_score * 0.3 + content_score * 0.3).round(3)
end

.compare_attributes(attrs1, attrs2) ⇒ Object

Compare attributes



687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
# File 'lib/svg_conform/semantic_comparator.rb', line 687

def self.compare_attributes(attrs1, attrs2)
  all_keys = (attrs1.keys + attrs2.keys).uniq

  matches = all_keys.map do |key|
    values1 = attrs1[key] || []
    values2 = attrs2[key] || []
    values1.sort == values2.sort
  end

  {
    exact_match: matches.all?,
    partial_match_ratio: matches.count(true).to_f / matches.length,
    differing_attributes: all_keys.select.with_index { |_, i| !matches[i] },
  }
end

.compare_content(content1, content2) ⇒ Object

Compare content



704
705
706
707
708
709
# File 'lib/svg_conform/semantic_comparator.rb', line 704

def self.compare_content(content1, content2)
  {
    text_match: content1[:text_nodes].sort == content2[:text_nodes].sort,
    cdata_match: content1[:cdata_sections].sort == content2[:cdata_sections].sort,
  }
end

.compare_hierarchy(hier1, hier2) ⇒ Object

Compare hierarchy



674
675
676
677
678
679
680
681
682
683
684
# File 'lib/svg_conform/semantic_comparator.rb', line 674

def self.compare_hierarchy(hier1, hier2)
  return true if hier1.nil? && hier2.nil?
  return false if hier1.nil? || hier2.nil?

  return false unless hier1[:name] == hier2[:name]
  return false unless hier1[:children].length == hier2[:children].length

  hier1[:children].zip(hier2[:children]).all? do |child1, child2|
    compare_hierarchy(child1, child2)
  end
end

.compare_namespaces(ns1, ns2) ⇒ Object

Compare namespaces



712
713
714
715
716
717
718
719
# File 'lib/svg_conform/semantic_comparator.rb', line 712

def self.compare_namespaces(ns1, ns2)
  {
    exact_match: ns1 == ns2,
    common_namespaces: ns1.keys & ns2.keys,
    svg_conform_only: ns1.keys - ns2.keys,
    svgcheck_only: ns2.keys - ns1.keys,
  }
end

.compare_remediated_content(svg_conform_content, svgcheck_content) ⇒ Object

Compare remediated SVG content semantically



44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
# File 'lib/svg_conform/semantic_comparator.rb', line 44

def self.compare_remediated_content(svg_conform_content, svgcheck_content)
  # Parse both SVG documents
  svg_conform_doc = parse_svg_safely(svg_conform_content)
  svgcheck_doc = parse_svg_safely(svgcheck_content)

  return { error: "Failed to parse SVG content" } if svg_conform_doc.nil? || svgcheck_doc.nil?

  # Extract semantic features from both documents
  svg_conform_features = extract_svg_features(svg_conform_doc)
  svgcheck_features = extract_svg_features(svgcheck_doc)

  # Compare features
  {
    structure_match: compare_structure(svg_conform_features[:structure],
                                       svgcheck_features[:structure]),
    attributes_match: compare_attributes(svg_conform_features[:attributes],
                                         svgcheck_features[:attributes]),
    content_match: compare_content(svg_conform_features[:content],
                                   svgcheck_features[:content]),
    namespace_match: compare_namespaces(svg_conform_features[:namespaces],
                                        svgcheck_features[:namespaces]),
    style_match: compare_styles(svg_conform_features[:styles],
                                svgcheck_features[:styles]),
    semantic_equivalence: calculate_semantic_equivalence(
      svg_conform_features, svgcheck_features
    ),
  }
end

.compare_requirement_coverage(svg_conform_reqs, svgcheck_reqs) ⇒ Object

Compare requirement coverage



295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
# File 'lib/svg_conform/semantic_comparator.rb', line 295

def self.compare_requirement_coverage(svg_conform_reqs, svgcheck_reqs)
  all_requirements = (svg_conform_reqs.keys + svgcheck_reqs.keys).uniq

  coverage = {}
  all_requirements.each do |req|
    svg_count = svg_conform_reqs[req] || 0
    svgcheck_count = svgcheck_reqs[req] || 0

    coverage[req] = {
      svg_conform: svg_count,
      svgcheck: svgcheck_count,
      exact_match: svg_count == svgcheck_count,
      coverage_ratio: if svgcheck_count.positive?
                        svg_count.to_f / svgcheck_count
                      else
                        (svg_count.positive? ? Float::INFINITY : 1.0)
                      end,
    }
  end

  coverage
end

.compare_semantic_issues(svg_conform_issues, svgcheck_issues, repair_mode = false, _mixed_mode = false) ⇒ Object

Compare semantic issues



319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
# File 'lib/svg_conform/semantic_comparator.rb', line 319

def self.compare_semantic_issues(svg_conform_issues, svgcheck_issues,
repair_mode = false, _mixed_mode = false)
  all_semantic_keys = (svg_conform_issues.keys + svgcheck_issues.keys).uniq

  comparison = {}
  all_semantic_keys.each do |key|
    svg_count = svg_conform_issues[key] || 0
    svgcheck_count = svgcheck_issues[key] || 0

    # In repair mode, treat informational messages differently
    # Check if this is a repair notification by looking at the semantic key pattern
    is_repair_notification = repair_mode && (
      key.start_with?("style_promotion:", "informative:") ||
      key.include?("replaced with") ||
      key.start_with?("invalid_attribute_value:") # These are repair notifications in repair mode
    )

    comparison[key] = if is_repair_notification
                        # Repair notifications are informational, not validation errors
                        {
                          svg_conform: svg_count,
                          svgcheck: svgcheck_count,
                          semantic_match: true, # Always consider repair notifications as matching
                          coverage: true,
                          repair_notification: true,
                        }
                      else
                        {
                          svg_conform: svg_count,
                          svgcheck: svgcheck_count,
                          semantic_match: svg_count == svgcheck_count,
                          coverage: svgcheck_count.positive? ? (svg_count >= svgcheck_count) : svg_count.zero?,
                          repair_notification: false,
                        }
                      end
  end

  comparison
end

.compare_structure(struct1, struct2) ⇒ Object

Compare structure



664
665
666
667
668
669
670
671
# File 'lib/svg_conform/semantic_comparator.rb', line 664

def self.compare_structure(struct1, struct2)
  {
    elements_match: struct1[:elements] == struct2[:elements],
    hierarchy_match: compare_hierarchy(struct1[:hierarchy],
                                       struct2[:hierarchy]),
    element_count_match: struct1[:element_count] == struct2[:element_count],
  }
end

.compare_style_semantics(styles1, styles2) ⇒ Object

Compare style semantics



740
741
742
743
744
745
746
747
# File 'lib/svg_conform/semantic_comparator.rb', line 740

def self.compare_style_semantics(styles1, styles2)
  # Flatten and normalize all styles
  flat1 = styles1.flat_map(&:to_a).to_h
  flat2 = styles2.flat_map(&:to_a).to_h

  # Compare normalized styles
  flat1 == flat2
end

.compare_styles(styles1, styles2) ⇒ Object

Compare styles



722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
# File 'lib/svg_conform/semantic_comparator.rb', line 722

def self.compare_styles(styles1, styles2)
  all_elements = (styles1.keys + styles2.keys).uniq

  element_comparisons = {}
  all_elements.each do |element|
    elem_styles1 = styles1[element] || []
    elem_styles2 = styles2[element] || []

    element_comparisons[element] = {
      count_match: elem_styles1.length == elem_styles2.length,
      semantic_match: compare_style_semantics(elem_styles1, elem_styles2),
    }
  end

  element_comparisons
end

.compare_validation_results(svg_conform_report, svgcheck_report) ⇒ Object

Compare validation results semantically



9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
# File 'lib/svg_conform/semantic_comparator.rb', line 9

def self.compare_validation_results(svg_conform_report, svgcheck_report)
  # Extract semantic features from both reports
  svg_conform_features = extract_validation_features(svg_conform_report)
  svgcheck_features = extract_validation_features(svgcheck_report)

  # Detect repair mode (both tools report valid=true)
  repair_mode = svg_conform_features[:valid] && svgcheck_features[:valid]

  # Detect mixed mode (one valid, one invalid)
  mixed_mode = svg_conform_features[:valid] != svgcheck_features[:valid]

  # Compare features semantically
  comparison = {
    overall_validity: compare_validity(svg_conform_features[:valid],
                                       svgcheck_features[:valid]),
    requirement_coverage: compare_requirement_coverage(svg_conform_features[:requirements],
                                                       svgcheck_features[:requirements]),
    semantic_issues: compare_semantic_issues(svg_conform_features[:issues], svgcheck_features[:issues],
                                             repair_mode, mixed_mode),
    detailed_mapping: create_detailed_mapping(svg_conform_features[:issues], svgcheck_features[:issues],
                                              repair_mode, mixed_mode),
    repair_mode: repair_mode,
    mixed_mode: mixed_mode,
  }

  # Add validity_match for compatibility
  comparison[:validity_match] = comparison[:overall_validity][:match]

  # Calculate overall compatibility score
  comparison[:compatibility_score] =
    calculate_compatibility_score(comparison)
  comparison
end

.compare_validity(svg_conform_valid, svgcheck_valid) ⇒ Object

Compare validity semantically



285
286
287
288
289
290
291
292
# File 'lib/svg_conform/semantic_comparator.rb', line 285

def self.compare_validity(svg_conform_valid, svgcheck_valid)
  {
    svg_conform: svg_conform_valid,
    svgcheck: svgcheck_valid,
    match: svg_conform_valid == svgcheck_valid,
    semantic_match: true, # Validity is always semantic
  }
end

.create_detailed_mapping(svg_conform_issues, svgcheck_issues, repair_mode = false, _mixed_mode = false) ⇒ Object

Create detailed mapping between issues



360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
# File 'lib/svg_conform/semantic_comparator.rb', line 360

def self.create_detailed_mapping(svg_conform_issues, svgcheck_issues,
repair_mode = false, _mixed_mode = false)
  # In repair mode, separate validation issues from repair notifications
  if repair_mode
    svg_conform_validation = svg_conform_issues.reject do |k, _|
      k.start_with?("style_promotion:", "informative:",
                    "invalid_attribute_value:")
    end
    svgcheck_validation = svgcheck_issues.reject do |k, _|
      k.start_with?("style_promotion:",
                    "informative:") || k.include?("replaced with") || k.start_with?("invalid_attribute_value:")
    end

    svg_conform_notifications = svg_conform_issues.select do |k, _|
      k.start_with?("style_promotion:", "informative:",
                    "invalid_attribute_value:")
    end
    svgcheck_notifications = svgcheck_issues.select do |k, _|
      k.start_with?("style_promotion:",
                    "informative:") || k.include?("replaced with") || k.start_with?("invalid_attribute_value:")
    end

    {
      svg_conform_only: svg_conform_validation.keys - svgcheck_validation.keys,
      svgcheck_only: svgcheck_validation.keys - svg_conform_validation.keys,
      common: svg_conform_validation.keys & svgcheck_validation.keys,
      total_svg_conform: svg_conform_validation.values.sum,
      total_svgcheck: svgcheck_validation.values.sum,
      repair_notifications: {
        svg_conform: svg_conform_notifications.values.sum,
        svgcheck: svgcheck_notifications.values.sum,
      },
    }
  else
    {
      svg_conform_only: svg_conform_issues.keys - svgcheck_issues.keys,
      svgcheck_only: svgcheck_issues.keys - svg_conform_issues.keys,
      common: svg_conform_issues.keys & svgcheck_issues.keys,
      total_svg_conform: svg_conform_issues.values.sum,
      total_svgcheck: svgcheck_issues.values.sum,
    }
  end
end

.extract_attributes(doc) ⇒ Object

Extract attributes



597
598
599
600
601
602
603
604
605
606
607
608
609
# File 'lib/svg_conform/semantic_comparator.rb', line 597

def self.extract_attributes(doc)
  attributes = {}

  doc.xpath("//*").each do |element|
    element.attributes.each do |name, attr|
      key = "#{element.name}@#{name}"
      attributes[key] ||= []
      attributes[key] << normalize_attribute_value(attr.value)
    end
  end

  attributes.transform_values(&:uniq)
end

.extract_content(doc) ⇒ Object

Extract text content



612
613
614
615
616
617
# File 'lib/svg_conform/semantic_comparator.rb', line 612

def self.extract_content(doc)
  {
    text_nodes: doc.xpath("//text()").map(&:content).reject(&:empty?),
    cdata_sections: doc.xpath("//comment()").map(&:content),
  }
end

.extract_hierarchy(element, depth = 0) ⇒ Object

Extract element hierarchy



585
586
587
588
589
590
591
592
593
594
# File 'lib/svg_conform/semantic_comparator.rb', line 585

def self.extract_hierarchy(element, depth = 0)
  return nil if depth > 10 # Prevent infinite recursion

  {
    name: element.name,
    children: element.children.select(&:element?).map do |child|
      extract_hierarchy(child, depth + 1)
    end,
  }
end

.extract_namespaces(doc) ⇒ Object

Extract namespaces



620
621
622
623
624
625
626
627
628
629
630
# File 'lib/svg_conform/semantic_comparator.rb', line 620

def self.extract_namespaces(doc)
  namespaces = {}

  doc.xpath("//*").each do |element|
    element.namespace_definitions.each do |ns|
      namespaces[ns.prefix || "default"] = ns.href
    end
  end

  namespaces
end

.extract_requirement_types(issues) ⇒ Object

Extract requirement types from issues



94
95
96
97
98
99
100
101
102
103
# File 'lib/svg_conform/semantic_comparator.rb', line 94

def self.extract_requirement_types(issues)
  requirement_counts = {}

  issues.each do |issue|
    req_id = issue.respond_to?(:requirement_id) ? issue.requirement_id : "unknown"
    requirement_counts[req_id] = (requirement_counts[req_id] || 0) + 1
  end

  requirement_counts
end

.extract_semantic_key(issue) ⇒ Object

Extract semantic key from an issue



119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
# File 'lib/svg_conform/semantic_comparator.rb', line 119

def self.extract_semantic_key(issue)
  # Handle different issue types
  message = if issue.respond_to?(:message)
              issue.message
            elsif issue.is_a?(Hash)
              issue[:message] || issue["message"]
            else
              issue.to_s
            end

  # SECURITY: Prevent ReDoS attacks by limiting message length
  # GitHub CodeQL: Regular expressions with excessive backtracking can cause DoS
  # This affects svgcheck comparison commands (development use only)
  # Note: Ruby 3.2+ has built-in regex caching that prevents ReDoS
  if message.length > 1000
    # Truncate very long messages to prevent exponential backtracking
    message = "#{message[0, 997]}..."
  end

  # Map ONLY the exact 28 svgcheck.py log patterns to semantic keys
  # SECURITY: Regex patterns use quantifier limits to prevent ReDoS
  case message
  # Error patterns from checksvg.py (4 patterns)
  when /\AMalformed field '([^']{1,200})' in style attribute found\. Field removed\.\z/
    "malformed_style_field:#{normalize_value(::Regexp.last_match(1))}"
  when /\AMalformed field '(\[[^\]]{1,200}\])' in style attribute found\. Field removed\.\z/
    "malformed_style_field:#{normalize_value(::Regexp.last_match(1))}"
  when /\AMalformed style declaration '([^']{1,200})' found\. Declaration removed\.\z/
    "malformed_style_field:#{normalize_value(::Regexp.last_match(1))}"
  when /\AStyle property '([^']{1,100})' promoted to attribute\z/
    "style_promotion:#{::Regexp.last_match(1)}"
  when /\AStyle property '([^']{1,100})' removed\z/
    "style_property_removed:#{::Regexp.last_match(1)}"
  when /\AError when calculating SVG size: (.{1,500})\z/
    "informative:svg_size_calculation_error"
  when /\AFile does not conform to SVG requirements\z/
    "informative:file_nonconformant"

  # Warning patterns from checksvg.py (10 patterns)
  when /\AElement '([^']{1,100})' in namespace '([^']{1,200})' is not allowed\z/
    "invalid_element_namespace:#{::Regexp.last_match(1)}:#{normalize_namespace(::Regexp.last_match(2))}"
  when /\AElement '([^']{1,100})' not allowed\z/
    "invalid_element:#{::Regexp.last_match(1)}"
  when /\AElement '([^']{1,100})' does not allow attributes with namespace '([^']{1,200})'\z/
    "namespace_violation:#{::Regexp.last_match(1)}:#{normalize_namespace(::Regexp.last_match(2))}"
  when /\AThe element '([^']{1,100})' does not allow the attribute '([^']{1,100})', attribute to be removed\.\z/
    "invalid_attribute:#{::Regexp.last_match(1)}:#{::Regexp.last_match(2)}"
  when /\AThe attribute '([^']{1,100})' does not allow the value '([^']{1,200})', replaced with '([^']{1,200})'\z/
    # Normalize color values for semantic equivalence
    attribute = ::Regexp.last_match(1)
    value = ::Regexp.last_match(2)

    # For color attributes, use normalized color values
    if %w[fill stroke].include?(attribute)
      "invalid_attribute_value:#{attribute}:#{normalize_color_value(value)}"
    else
      "invalid_attribute_value:#{attribute}:#{normalize_value(value)}"
    end
  when /\AThe attribute '([^']{1,100})' does not allow the value '([^']{1,200})', attribute to be removed\z/
    "invalid_attribute_value:#{::Regexp.last_match(1)}:#{normalize_value(::Regexp.last_match(2))}"
  when /\AThe attribute viewBox is required on the root svg element\z/
    "viewbox_required"
  when /\ATrying to put in the attribute with value '([^']{1,200})'\z/
    "informative:viewbox_auto_added"
  when /\AThe namespace ([^\s]{1,200}) is not permitted for svg elements\.\z/
    "namespace_violation:element:#{normalize_namespace(::Regexp.last_match(1))}"
  when /\AThe element '([^']{1,100})' is not allowed as a child of '([^']{1,100})'\z/
    "invalid_child:#{::Regexp.last_match(1)}:#{::Regexp.last_match(2)}"
  when /\AMalformed namespace\. Should have errored during parsing\z/
    "informative:malformed_namespace"
  when /\A--no-xinclude option is deprecated and has no effect\.\z/
    "informative:deprecated_option"

  # Note patterns from checksvg.py (13 patterns)
  when /\Amodify_style check '([^']{1,100})' in '([^']{1,100})'\z/
    "informative:modify_style_check"
  when /\A   modify_style - p=([^\s]{1,100})  v=(.{1,200})\z/
    "informative:modify_style_processing"
  when /\Avalue_ok look for (.{1,200}) in (.{1,200})\z/
    "informative:value_validation"
  when /\A  legal value list (.{1,500})\z/
    "informative:legal_values"
  when /\A --- skip to end -- (.{1,200})\z/
    "informative:validation_skip"
  when /\AColor or grayscale heuristic applied to: '([^']{1,100})' yields shade: '([^']{1,100})'\z/
    "informative:color_heuristic"
  when /\A[^\s]{1,50} tag = (.{1,200})\z/
    "informative:element_processing"
  when /\A[^\s]{1,50} element [^:]{1,50}: (.{1,200})\z/
    "informative:element_attributes"
  when /\A[^\s]{1,50} attr ([^\s]{1,100}) = ([^\s]{1,200}) \(ns = ([^)]{0,200})\)\z/
    "informative:attribute_processing"
  when /\A[^\s]{1,50}child, tag = (.{1,200})\z/
    "informative:child_processing"
  when /\AChecking svg element at line (\d{1,10}) in file (.{1,500})\z/
    "informative:svg_element_check"

  # SvgConform-specific patterns that map to svgcheck semantic equivalents
  when /\AColor '([^']{1,100})' in attribute '([^']{1,100})' is not allowed in this profile\z/
    # Map SvgConform color restriction to svgcheck invalid_attribute_value pattern
    # Normalize color values to handle different formats (WHITE -> white, etc.)
    "invalid_attribute_value:#{::Regexp.last_match(2)}:#{normalize_color_value(::Regexp.last_match(1))}"
  when /\AColor '([^']{1,100})' in style property '([^']{1,100})' is not allowed in this profile\z/
    # Map SvgConform style property color restriction to svgcheck invalid_attribute_value pattern
    # Svgcheck promotes style properties to attributes, so we map accordingly
    "invalid_attribute_value:#{::Regexp.last_match(2)}:#{normalize_color_value(::Regexp.last_match(1))}"
  when /\AFont family '([^']{1,200})' is not allowed in this profile\z/
    # Map SvgConform font family restriction to svgcheck invalid_attribute_value pattern
    "invalid_attribute_value:font-family:#{normalize_value(::Regexp.last_match(1))}"
  when /\AFont family '([^']{1,200})' in style is not allowed in this profile\z/
    # Map SvgConform style font family restriction to svgcheck invalid_attribute_value pattern
    font_family = normalize_value(::Regexp.last_match(1))
    # Embedded font restrictions are profile differences
    if font_family.include?("embedded")
      "informative:profile_stricter_embedded_fonts:#{font_family}"
    else
      "invalid_attribute_value:font-family:#{font_family}"
    end
  when /\AFont family '([^']{1,200})' is not allowed in this profile\z/
    # Map SvgConform font family restriction to svgcheck invalid_attribute_value pattern
    font_family = normalize_value(::Regexp.last_match(1))
    # Embedded font restrictions are profile differences
    if font_family.include?("embedded")
      "informative:profile_stricter_embedded_fonts:#{font_family}"
    else
      "invalid_attribute_value:font-family:#{font_family}"
    end
  when /\Asvg root element must have a viewbox attribute\z/i
    # Map SvgConform viewBox requirement to svgcheck pattern (case insensitive)
    "viewbox_required"
  when /\AElement '([^']{1,100})' is not allowed in this profile\z/
    # Map SvgConform element restriction to svgcheck invalid_child pattern
    element = ::Regexp.last_match(1)
    # Font-related and clipPath elements are profile differences, not validation errors
    if %w[font glyph font-face missing-glyph clipPath].include?(element)
      "informative:profile_stricter_elements:#{element}"
    else
      "invalid_child:#{element}:svg"
    end
  when /\AThe element '([^']{1,100})' is not allowed as a child of '([^']{1,100})'\z/
    # Map SvgConform child element restriction to svgcheck pattern
    element = ::Regexp.last_match(1)
    parent = ::Regexp.last_match(2)
    # Font-related and clipPath elements as children are profile differences
    if %w[font glyph font-face missing-glyph clipPath].include?(element)
      "informative:profile_stricter_elements:#{element}:#{parent}"
    else
      "invalid_child:#{element}:#{parent}"
    end
  when /\AAttribute '([^']{1,100})' is not allowed on element '([^']{1,100})'\z/
    # Map SvgConform attribute restriction to svgcheck pattern
    "invalid_attribute:#{::Regexp.last_match(2)}:#{::Regexp.last_match(1)}"
  when /\AThe namespace ([^\s]{1,200}) is not permitted for svg elements\.?\z/
    # Map SvgConform namespace restriction to svgcheck pattern
    "namespace_violation:element:#{normalize_namespace(::Regexp.last_match(1))}"
  when /\AviewBox attribute must contain four numeric values/i
    # Map SvgConform viewBox format validation (more strict than svgcheck)
    "viewbox_format_error"

  # Everything else maps to "other" for non-svgcheck messages
  else
    "other:#{normalize_message(message)}"
  end
end

.extract_structure(doc) ⇒ Object

Extract document structure



573
574
575
576
577
578
579
580
581
582
# File 'lib/svg_conform/semantic_comparator.rb', line 573

def self.extract_structure(doc)
  elements = doc.xpath("//*").map(&:name).uniq.sort
  hierarchy = extract_hierarchy(doc.root) if doc.root

  {
    elements: elements,
    hierarchy: hierarchy,
    element_count: doc.xpath("//*").length,
  }
end

.extract_styles(doc) ⇒ Object

Extract style information



633
634
635
636
637
638
639
640
641
642
643
644
# File 'lib/svg_conform/semantic_comparator.rb', line 633

def self.extract_styles(doc)
  styles = {}

  doc.xpath("//*[@style]").each do |element|
    style_attr = element["style"]
    parsed_styles = parse_style_attribute(style_attr)
    styles[element.name] ||= []
    styles[element.name] << parsed_styles
  end

  styles
end

.extract_svg_features(doc) ⇒ Object

Extract SVG features for semantic comparison



562
563
564
565
566
567
568
569
570
# File 'lib/svg_conform/semantic_comparator.rb', line 562

def self.extract_svg_features(doc)
  {
    structure: extract_structure(doc),
    attributes: extract_attributes(doc),
    content: extract_content(doc),
    namespaces: extract_namespaces(doc),
    styles: extract_styles(doc),
  }
end

.extract_validation_features(report) ⇒ Object

Extract validation features for semantic comparison



74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
# File 'lib/svg_conform/semantic_comparator.rb', line 74

def self.extract_validation_features(report)
  # Extract ALL issues (errors, warnings, infos) for semantic comparison
  issues = []

  issues.concat(report.errors.issues) if report.respond_to?(:errors) && report.errors.respond_to?(:issues)

  # For svgcheck reports, also include warnings and infos if available
  issues.concat(report.warnings.issues) if report.respond_to?(:warnings) && report.warnings.respond_to?(:issues)

  # If the report has a direct issues method, use that
  issues = report.issues if issues.empty? && report.respond_to?(:issues)

  {
    valid: report.respond_to?(:valid) ? report.valid : false,
    requirements: extract_requirement_types(issues),
    issues: group_issues_semantically(issues),
  }
end

.group_issues_semantically(issues) ⇒ Object

Group issues by semantic meaning



106
107
108
109
110
111
112
113
114
115
116
# File 'lib/svg_conform/semantic_comparator.rb', line 106

def self.group_issues_semantically(issues)
  semantic_groups = {}

  issues.each do |issue|
    semantic_key = extract_semantic_key(issue)
    semantic_groups[semantic_key] ||= []
    semantic_groups[semantic_key] << issue
  end

  semantic_groups.transform_values(&:length)
end

.normalize_attribute_value(value) ⇒ Object



819
820
821
822
# File 'lib/svg_conform/semantic_comparator.rb', line 819

def self.normalize_attribute_value(value)
  # Normalize attribute values for comparison
  value.strip.downcase
end

.normalize_color_value(color) ⇒ Object



783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
# File 'lib/svg_conform/semantic_comparator.rb', line 783

def self.normalize_color_value(color)
  # Normalize color values to handle different formats
  normalized = color.downcase.strip

  # Map common color equivalents
  case normalized
  when "white", "#fff", "#ffffff", "rgb(255,255,255)", "rgb(255, 255, 255)", "rgb(100%,100%,100%)", "rgb(100%, 100%, 100%)"
    "white"
  when "black", "#000", "#000000", "rgb(0,0,0)", "rgb(0, 0, 0)", "rgb(0%,0%,0%)", "rgb(0%, 0%, 0%)"
    "black"
  when "red", "#f00", "#ff0000", "rgb(255,0,0)", "rgb(255, 0, 0)", "rgb(100%,0%,0%)", "rgb(100%, 0%, 0%)"
    "red"
  when "green", "#0f0", "#00ff00", "rgb(0,255,0)", "rgb(0, 255, 0)", "rgb(0%,100%,0%)", "rgb(0%, 100%, 0%)"
    "green"
  when "blue", "#00f", "#0000ff", "rgb(0,0,255)", "rgb(0, 0, 255)", "rgb(0%,0%,100%)", "rgb(0%, 0%, 100%)"
    "blue"
  when "grey", "gray"
    "grey"
  else
    # For hex colors, normalize to lowercase without spaces
    if /\A#[0-9a-f]{3,8}\z/i.match?(normalized)
      normalized.downcase
    elsif /\Argb\s*\(/i.match?(normalized)
      # Normalize RGB format by removing spaces
      normalized.gsub(/\s+/, "")
    else
      normalized
    end
  end
end

.normalize_message(message) ⇒ Object



814
815
816
817
# File 'lib/svg_conform/semantic_comparator.rb', line 814

def self.normalize_message(message)
  # Extract key semantic components from message
  message.downcase.gsub(/['":]/, "").strip
end

.normalize_namespace(namespace) ⇒ Object

Utility methods for normalization



760
761
762
763
764
765
766
767
768
769
770
771
# File 'lib/svg_conform/semantic_comparator.rb', line 760

def self.normalize_namespace(namespace)
  case namespace
  when /inkscape/i
    "inkscape"
  when /sodipodi/i
    "sodipodi"
  when /w3\.org.*svg/i
    "svg"
  else
    namespace
  end
end

.normalize_style_value(value) ⇒ Object



824
825
826
827
# File 'lib/svg_conform/semantic_comparator.rb', line 824

def self.normalize_style_value(value)
  # Normalize style values for comparison
  value.strip.downcase
end

.normalize_value(value) ⇒ Object



773
774
775
776
777
778
779
780
781
# File 'lib/svg_conform/semantic_comparator.rb', line 773

def self.normalize_value(value)
  # Normalize common values for semantic comparison
  normalized = value.downcase.strip

  # Handle array-like values from svgcheck (e.g., "['malformed']" -> "malformed")
  normalized = ::Regexp.last_match(1) if normalized =~ /\A\['([^']{1,200})'\]\z/

  normalized
end

.parse_style_attribute(style_str) ⇒ Object

Parse style attribute



647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
# File 'lib/svg_conform/semantic_comparator.rb', line 647

def self.parse_style_attribute(style_str)
  return {} if style_str.nil? || style_str.strip.empty?

  styles = {}
  style_str.split(";").each do |declaration|
    next if declaration.strip.empty?

    property, value = declaration.split(":", 2)
    next unless property && value

    styles[property.strip] = normalize_style_value(value.strip)
  end

  styles
end

.parse_svg_safely(content) ⇒ Object

Parse SVG safely



553
554
555
556
557
558
559
# File 'lib/svg_conform/semantic_comparator.rb', line 553

def self.parse_svg_safely(content)
  return nil if content.nil? || content.strip.empty?

  Nokogiri::XML(content, &:strict)
rescue Nokogiri::XML::SyntaxError
  nil
end