Models
models ¶
Domain models for the gepa-adk evolution engine.
This module contains the core domain models used throughout the evolution engine, including result types with schema versioning and serialization support. Configuration validation enforces field constraints and finite-float checks. All models are dataclasses following hexagonal architecture principles with no runtime dependencies beyond structlog and the Python standard library.
Terminology
- component: An evolvable unit with a name and text (e.g., instruction)
- component_text: The current text content of a component being evolved
- trial: One performance record {feedback, trajectory}
- feedback: Critic evaluation {score, feedback_text, feedback_*} (stochastic)
- trajectory: Execution record {input, output, trace} (deterministic)
| ATTRIBUTE | DESCRIPTION |
|---|---|
EvolutionConfig | Configuration parameters for evolution runs. TYPE: |
IterationRecord | Immutable record of a single iteration. TYPE: |
EvolutionResult | Immutable outcome of a completed evolution run. TYPE: |
Candidate | Mutable candidate holding components being evolved. TYPE: |
CURRENT_SCHEMA_VERSION | Current result schema version constant. TYPE: |
Examples:
Creating configuration and result objects:
from gepa_adk.domain.models import EvolutionConfig, EvolutionResult
config = EvolutionConfig(max_iterations=20)
result = EvolutionResult(
original_score=0.5,
final_score=0.8,
evolved_components={"instruction": "Be helpful"},
iteration_history=[],
total_iterations=10,
)
assert result.schema_version == 1
Serializing and deserializing results:
import json
from gepa_adk.domain.models import EvolutionResult
data = result.to_dict()
json_str = json.dumps(data)
restored = EvolutionResult.from_dict(json.loads(json_str))
Display methods for inspecting results:
from gepa_adk.domain.models import EvolutionResult
result = EvolutionResult(
original_score=0.5,
final_score=0.8,
evolved_components={"instruction": "Be helpful and concise"},
original_components={"instruction": "Be helpful"},
iteration_history=[],
total_iterations=10,
)
print(repr(result)) # narrative summary with improvement %
print(result.show_diff()) # unified diff of component changes
See Also
gepa_adk.domain.types: Type aliases and enums (Score, StopReason, FrontierType) used by these models.gepa_adk.ports.evolution_result: Protocol that EvolutionResult and MultiAgentEvolutionResult satisfy.
Note
These models are pure data containers with validation logic. They have no knowledge of infrastructure concerns like databases or APIs.
CURRENT_SCHEMA_VERSION module-attribute ¶
Schema version for evolution result serialization.
Incremented when the result schema changes in a way that requires migration logic in from_dict().
VideoFileInfo dataclass ¶
Metadata for a validated video file.
This is an immutable record containing validated metadata about a video file. Created by VideoBlobService.validate_video_file() after checking that the file exists, is within size limits, and has a valid MIME type.
| ATTRIBUTE | DESCRIPTION |
|---|---|
path | Absolute path to the video file. TYPE: |
size_bytes | File size in bytes. TYPE: |
mime_type | MIME type of the video (e.g., "video/mp4"). TYPE: |
Examples:
Creating video file info:
from gepa_adk.domain.models import VideoFileInfo
info = VideoFileInfo(
path="/data/video.mp4",
size_bytes=1024000,
mime_type="video/mp4",
)
print(f"File: {info.path}, Size: {info.size_bytes}, Type: {info.mime_type}")
Note
A frozen dataclass ensuring immutability after validation. Instances cannot be modified once created, guaranteeing consistency of validated file metadata.
Source code in src/gepa_adk/domain/models.py
EvolutionConfig dataclass ¶
Configuration parameters for an evolution run.
Defines the parameters that control how evolution proceeds, including iteration limits, concurrency settings, and stopping criteria.
| ATTRIBUTE | DESCRIPTION |
|---|---|
max_iterations | Maximum number of evolution iterations. 0 means just evaluate baseline without evolving. TYPE: |
max_concurrent_evals | Number of concurrent batch evaluations. Must be at least 1. TYPE: |
min_improvement_threshold | Minimum score improvement to accept a new candidate. Set to 0.0 to accept any improvement. TYPE: |
patience | Number of iterations without improvement before stopping early. Set to 0 to disable early stopping. TYPE: |
reflection_model | Model identifier for reflection/mutation operations. TYPE: |
frontier_type | Frontier tracking strategy for Pareto selection (default: INSTANCE). TYPE: |
acceptance_metric | Aggregation method for acceptance decisions on iteration evaluation batches. "sum" uses sum of scores (default, aligns with upstream GEPA). "mean" uses mean of scores (legacy behavior). TYPE: |
use_merge | Enable merge proposals for genetic crossover. Defaults to False. TYPE: |
max_merge_invocations | Maximum number of merge attempts per run. Defaults to 10. Must be non-negative. TYPE: |
reflection_prompt | Custom reflection/mutation prompt template. If provided, this template is used instead of the default when the reflection model proposes improved text. Required placeholders: - {component_text}: The current component text being evolved - {trials}: Trial data with feedback and trajectory for each test case If None or empty string, the default prompt template is used. TYPE: |
stop_callbacks | List of stopper callbacks for custom stop conditions. Each callback receives a StopperState and returns True to signal stop. Defaults to an empty list. TYPE: |
seed | Random seed for deterministic engine decisions. When set, a seeded TYPE: |
Examples:
Creating a configuration with defaults:
from gepa_adk.domain.models import EvolutionConfig
config = EvolutionConfig(max_iterations=100, patience=10)
print(config.max_iterations) # 100
print(config.reflection_model) # ollama_chat/gpt-oss:20b
Note
All numeric parameters are validated in post_init to ensure they meet their constraints. Cross-field consistency is also checked (e.g., use_merge requires max_merge_invocations > 0, stop_callbacks must be callable). Invalid values raise ConfigurationError.
Determinism applies to engine decisions only (candidate selection, component selection, merge proposals). LLM inference is inherently stochastic and not covered by the seed guarantee.
Source code in src/gepa_adk/domain/models.py
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 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 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 358 359 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 403 404 405 406 407 408 409 410 | |
__post_init__ ¶
Validate configuration parameters after initialization.
| RAISES | DESCRIPTION |
|---|---|
ConfigurationError | If any parameter violates its constraints, including non-finite floats (NaN, Inf), cross-field consistency rules (e.g., use_merge requires max_merge_invocations > 0, stop_callbacks must be callable). |
Note
Operates automatically after dataclass init completes. Validates all fields including finite-float checks, cross-field consistency, and raises ConfigurationError with context on failure.
Source code in src/gepa_adk/domain/models.py
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 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 | |
IterationRecord dataclass ¶
Captures metrics for a single evolution iteration.
This is an immutable record of what happened during one iteration of the evolution process. Records are created by the engine and stored in EvolutionResult.iteration_history.
| ATTRIBUTE | DESCRIPTION |
|---|---|
iteration_number | 1-indexed iteration number for human readability. TYPE: |
score | Score achieved in this iteration (typically in [0.0, 1.0]). TYPE: |
component_text | The component_text that was evaluated in this iteration (e.g., the instruction text for the "instruction" component). TYPE: |
evolved_component | The name of the component that was evolved in this iteration (e.g., "instruction", "output_schema"). Used for tracking which component changed in round-robin evolution strategies. TYPE: |
accepted | Whether this proposal was accepted as the new best. TYPE: |
objective_scores | Optional per-example multi-objective scores from the valset evaluation. None when adapter does not provide objective scores. Each dict maps objective name to score value. Index-aligned with evaluation batch examples. TYPE: |
reflection_reasoning | Optional natural language reasoning from the reflection agent explaining why the mutation was proposed. None when reasoning is not available (e.g., model without thinking support or older data without this field). TYPE: |
Examples:
Creating an iteration record:
from gepa_adk.domain.models import IterationRecord
record = IterationRecord(
iteration_number=1,
score=0.85,
component_text="Be helpful",
evolved_component="instruction",
accepted=True,
)
print(record.score) # 0.85
print(record.evolved_component) # "instruction"
print(record.accepted) # True
Serialization round-trip:
Note
An immutable record that captures iteration metrics. Once created, IterationRecord instances cannot be modified, ensuring historical accuracy of the evolution trace.
Source code in src/gepa_adk/domain/models.py
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 467 468 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 | |
to_dict ¶
Serialize this record to a stdlib-only dict.
| RETURNS | DESCRIPTION |
|---|---|
dict[str, Any] | Dict containing all 7 fields. Output is directly |
dict[str, Any] |
|
Source code in src/gepa_adk/domain/models.py
from_dict classmethod ¶
from_dict(data: dict[str, Any]) -> IterationRecord
Reconstruct an IterationRecord from a dict.
Unknown keys are silently ignored for forward compatibility, allowing older code to load records produced by newer versions. Optional fields (objective_scores, reflection_reasoning) default to None when missing from the input dict.
| PARAMETER | DESCRIPTION |
|---|---|
data | Dict containing iteration record fields. TYPE: |
| RETURNS | DESCRIPTION |
|---|---|
IterationRecord | Reconstructed IterationRecord instance. |
| RAISES | DESCRIPTION |
|---|---|
KeyError | If a required field is missing from the dict. |
Source code in src/gepa_adk/domain/models.py
EvolutionResult dataclass ¶
Outcome of a completed evolution run.
Contains the final results after evolution completes, including all evolved component values, performance metrics, and full history.
| ATTRIBUTE | DESCRIPTION |
|---|---|
schema_version | Schema version for forward-compatible serialization. Always TYPE: |
stop_reason | Why the evolution run terminated. Defaults to TYPE: |
original_score | Starting performance score (baseline). TYPE: |
final_score | Ending performance score (best achieved). TYPE: |
evolved_components | Dictionary mapping component names to their final evolved text values. Keys include "instruction" and optionally "output_schema" or other components. Access individual components via TYPE: |
iteration_history | Chronological list of iteration records. TYPE: |
total_iterations | Number of iterations performed. TYPE: |
valset_score | Score on validation set used for acceptance decisions. None if no validation set was used. TYPE: |
trainset_score | Score on trainset used for reflection diagnostics. None if not computed. TYPE: |
objective_scores | Optional per-example multi-objective scores from the best candidate's final evaluation. None when no objective scores were tracked. Each dict maps objective name to score value. Index-aligned with evaluation batch examples. TYPE: |
original_components | Optional snapshot of pre-evolution component values. When present, enables zero-arg TYPE: |
reflection_reasoning | Read-only property returning the reflection reasoning from the last iteration. Convenience accessor; None if no iterations or last iteration has no reasoning. TYPE: |
Examples:
Creating and analyzing a result:
from gepa_adk.domain.models import EvolutionResult, IterationRecord
result = EvolutionResult(
original_score=0.60,
final_score=0.85,
evolved_components={"instruction": "Be helpful and concise"},
original_components={"instruction": "Be helpful"},
iteration_history=[],
total_iterations=10,
)
print(result.improvement) # 0.25
print(result.show_diff()) # unified diff of instruction changes
Serialization round-trip:
import json
d = result.to_dict()
json_str = json.dumps(d)
restored = EvolutionResult.from_dict(json.loads(json_str))
Note
As a frozen dataclass, EvolutionResult instances cannot be modified.
Source code in src/gepa_adk/domain/models.py
585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 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 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 | |
reflection_reasoning property ¶
Return the reflection reasoning from the last iteration.
Convenience accessor for the most recent iteration's reasoning explaining why the reflection agent proposed its mutation.
| RETURNS | DESCRIPTION |
|---|---|
str | None | The reasoning string from the last iteration record, or None |
str | None | if no iterations exist or the last iteration has no reasoning. |
improvement property ¶
Calculate the score improvement from original to final.
| RETURNS | DESCRIPTION |
|---|---|
float | The difference between final_score and original_score. |
float | Positive values indicate improvement, negative indicates degradation. |
Note
Override is not needed since frozen dataclasses support properties.
improved property ¶
Check if the final score is better than the original.
| RETURNS | DESCRIPTION |
|---|---|
bool | True if final_score > original_score, False otherwise. |
Note
Only returns True for strict improvement, not equal scores.
to_dict ¶
Serialize this result to a stdlib-only dict.
| RETURNS | DESCRIPTION |
|---|---|
dict[str, Any] | Dict containing all fields. |
dict[str, Any] | as its string value. |
dict[str, Any] | list of dicts. Output is directly |
Source code in src/gepa_adk/domain/models.py
from_dict classmethod ¶
from_dict(data: dict[str, Any]) -> EvolutionResult
Reconstruct an EvolutionResult from a dict.
Validates schema version, applies migration if needed, and reconstructs all nested objects including optional original_components.
| PARAMETER | DESCRIPTION |
|---|---|
data | Dict containing evolution result fields. TYPE: |
| RETURNS | DESCRIPTION |
|---|---|
EvolutionResult | Reconstructed EvolutionResult instance. |
| RAISES | DESCRIPTION |
|---|---|
ConfigurationError | If |
KeyError | If a required field is missing from the dict. |
Source code in src/gepa_adk/domain/models.py
__repr__ ¶
Narrative summary of the evolution result.
| RETURNS | DESCRIPTION |
|---|---|
str | Human-readable multi-line summary with improvement percentage, |
str | iterations, stop reason, component names, and acceptance rate. |
str | Uses 2-space indent, no box-drawing characters, every line |
str | greppable. |
Source code in src/gepa_adk/domain/models.py
show_diff ¶
Show unified diff between original and evolved components.
Uses stored original_components if no explicit argument is provided. Produces git-diff-style output (---/+++/@@) for each component that changed.
| PARAMETER | DESCRIPTION |
|---|---|
original_components | Pre-evolution component values. If None, falls back to TYPE: |
| RETURNS | DESCRIPTION |
|---|---|
str | Unified diff string, or |
str | components are identical. |
| RAISES | DESCRIPTION |
|---|---|
ValueError | If both the argument and |
Source code in src/gepa_adk/domain/models.py
Candidate dataclass ¶
Represents an instruction candidate being evolved.
Unlike GEPA's simple dict[str, str] type alias, this class provides richer state tracking for async scenarios including lineage and metadata.
| ATTRIBUTE | DESCRIPTION |
|---|---|
components | Component name to text value mapping. Common keys include 'instruction' (main agent prompt) and 'output_schema'. TYPE: |
generation | Generation number in the evolution lineage (0 = initial). TYPE: |
parent_id | ID of the parent candidate for lineage tracking (legacy field, retained for compatibility). TYPE: |
parent_ids | Multi-parent indices for merge operations. None for seed candidates, [single_idx] for mutations, [idx1, idx2] for merges. TYPE: |
metadata | Extensible metadata dict for async tracking and debugging. TYPE: |
Examples:
Creating a candidate:
from gepa_adk.domain.models import Candidate
candidate = Candidate(
components={"instruction": "Be helpful"},
generation=0,
)
print(candidate.components["instruction"]) # Be helpful
print(candidate.generation) # 0
Note
A mutable candidate representation with richer state tracking than GEPA's simple dict. Components and metadata can be modified during the evolution process. Use generation and parent_id to track lineage.
Source code in src/gepa_adk/domain/models.py
MultiAgentEvolutionResult dataclass ¶
Outcome of a completed multi-agent evolution run.
Contains evolved component_text for all agents in the group, along with performance metrics and evolution history.
| ATTRIBUTE | DESCRIPTION |
|---|---|
schema_version | Schema version for forward-compatible serialization. TYPE: |
stop_reason | Why the evolution run terminated. TYPE: |
evolved_components | Mapping of agent name to evolved component_text. TYPE: |
original_score | Starting performance score (baseline). TYPE: |
final_score | Ending performance score (best achieved). TYPE: |
primary_agent | Name of the agent whose output was used for scoring. TYPE: |
iteration_history | Chronological list of iteration records. TYPE: |
total_iterations | Number of iterations performed. TYPE: |
original_components | Optional snapshot of pre-evolution component values. When present, enables zero-arg TYPE: |
Examples:
Creating and analyzing a multi-agent result:
from gepa_adk.domain.models import MultiAgentEvolutionResult, IterationRecord
result = MultiAgentEvolutionResult(
evolved_components={
"generator": "Generate high-quality code",
"critic": "Review code thoroughly",
},
original_components={
"generator": "Generate code",
"critic": "Review code",
},
original_score=0.60,
final_score=0.85,
primary_agent="generator",
iteration_history=[],
total_iterations=10,
)
print(result.improvement) # 0.25
print(result.show_diff()) # unified diff of component changes
print(result.agent_names) # ["critic", "generator"]
assert result.schema_version == 1
Serialization round-trip:
import json
d = result.to_dict()
restored = MultiAgentEvolutionResult.from_dict(json.loads(json.dumps(d)))
Note
An immutable result container for multi-agent evolution. Once created, MultiAgentEvolutionResult instances cannot be modified. Use computed properties like improvement, improved, and agent_names to analyze results without modifying the underlying data.
Source code in src/gepa_adk/domain/models.py
963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 | |
improvement property ¶
Calculate the score improvement from original to final.
| RETURNS | DESCRIPTION |
|---|---|
float | The difference between final_score and original_score. |
float | Positive values indicate improvement, negative indicates degradation. |
Note
Override is not needed since frozen dataclasses support properties.
improved property ¶
Check if the final score is better than the original.
| RETURNS | DESCRIPTION |
|---|---|
bool | True if final_score > original_score, False otherwise. |
Note
Only returns True for strict improvement, not equal scores.
agent_names property ¶
Get sorted list of evolved agent names.
| RETURNS | DESCRIPTION |
|---|---|
list[str] | Sorted list of agent names from evolved_components keys. |
Note
Outputs a new list each time, sorted alphabetically for consistent ordering regardless of insertion order.
to_dict ¶
Serialize this result to a stdlib-only dict.
| RETURNS | DESCRIPTION |
|---|---|
dict[str, Any] | Dict containing all 9 fields. |
dict[str, Any] | as its string value. |
dict[str, Any] | list of dicts. Output is directly |
Source code in src/gepa_adk/domain/models.py
from_dict classmethod ¶
from_dict(
data: dict[str, Any],
) -> MultiAgentEvolutionResult
Reconstruct a MultiAgentEvolutionResult from a dict.
Validates schema version, applies migration if needed, and reconstructs all nested objects including optional original_components.
| PARAMETER | DESCRIPTION |
|---|---|
data | Dict containing multi-agent evolution result fields. TYPE: |
| RETURNS | DESCRIPTION |
|---|---|
MultiAgentEvolutionResult | Reconstructed MultiAgentEvolutionResult instance. |
| RAISES | DESCRIPTION |
|---|---|
ConfigurationError | If |
KeyError | If a required field is missing from the dict. |
Source code in src/gepa_adk/domain/models.py
__repr__ ¶
Narrative summary of the multi-agent evolution result.
| RETURNS | DESCRIPTION |
|---|---|
str | Human-readable multi-line summary with improvement percentage, |
str | iterations, stop reason, primary agent, agent names, and |
str | acceptance rate. Uses 2-space indent, no box-drawing characters, |
str | every line greppable. |
Source code in src/gepa_adk/domain/models.py
show_diff ¶
Show unified diff between original and evolved components.
Uses stored original_components if no explicit argument is provided. Produces git-diff-style output (---/+++/@@) for each component that changed.
| PARAMETER | DESCRIPTION |
|---|---|
original_components | Pre-evolution component values. If None, falls back to TYPE: |
| RETURNS | DESCRIPTION |
|---|---|
str | Unified diff string, or |
str | components are identical. |
| RAISES | DESCRIPTION |
|---|---|
ValueError | If both the argument and |