1#[cfg(test)]
9mod tests;
10
11use std::fmt;
12use thiserror::Error as ThisError;
13
14#[derive(Debug, ThisError)]
115#[error("{message}")]
116pub struct InternalError {
117 pub(crate) class: ErrorClass,
118 pub(crate) origin: ErrorOrigin,
119 pub(crate) message: String,
120
121 pub(crate) detail: Option<ErrorDetail>,
124}
125
126impl InternalError {
127 #[cold]
131 #[inline(never)]
132 pub fn new(class: ErrorClass, origin: ErrorOrigin, message: impl Into<String>) -> Self {
133 let message = message.into();
134
135 let detail = match (class, origin) {
136 (ErrorClass::Corruption, ErrorOrigin::Store) => {
137 Some(ErrorDetail::Store(StoreError::Corrupt {
138 message: message.clone(),
139 }))
140 }
141 (ErrorClass::InvariantViolation, ErrorOrigin::Store) => {
142 Some(ErrorDetail::Store(StoreError::InvariantViolation {
143 message: message.clone(),
144 }))
145 }
146 _ => None,
147 };
148
149 Self {
150 class,
151 origin,
152 message,
153 detail,
154 }
155 }
156
157 #[must_use]
159 pub const fn class(&self) -> ErrorClass {
160 self.class
161 }
162
163 #[must_use]
165 pub const fn origin(&self) -> ErrorOrigin {
166 self.origin
167 }
168
169 #[must_use]
171 pub fn message(&self) -> &str {
172 &self.message
173 }
174
175 #[must_use]
177 pub const fn detail(&self) -> Option<&ErrorDetail> {
178 self.detail.as_ref()
179 }
180
181 #[must_use]
183 pub fn into_message(self) -> String {
184 self.message
185 }
186
187 #[cold]
189 #[inline(never)]
190 pub(crate) fn classified(
191 class: ErrorClass,
192 origin: ErrorOrigin,
193 message: impl Into<String>,
194 ) -> Self {
195 Self::new(class, origin, message)
196 }
197
198 #[cold]
200 #[inline(never)]
201 pub(crate) fn with_message(self, message: impl Into<String>) -> Self {
202 Self::classified(self.class, self.origin, message)
203 }
204
205 #[cold]
209 #[inline(never)]
210 pub(crate) fn with_origin(self, origin: ErrorOrigin) -> Self {
211 Self::classified(self.class, origin, self.message)
212 }
213
214 #[cold]
216 #[inline(never)]
217 pub(crate) fn index_invariant(message: impl Into<String>) -> Self {
218 Self::new(
219 ErrorClass::InvariantViolation,
220 ErrorOrigin::Index,
221 message.into(),
222 )
223 }
224
225 pub(crate) fn index_key_field_count_exceeds_max(
227 index_name: &str,
228 field_count: usize,
229 max_fields: usize,
230 ) -> Self {
231 Self::index_invariant(format!(
232 "index '{index_name}' has {field_count} fields (max {max_fields})",
233 ))
234 }
235
236 pub(crate) fn index_key_item_field_missing_on_entity_model(field: &str) -> Self {
238 Self::index_invariant(format!(
239 "index key item field missing on entity model: {field}",
240 ))
241 }
242
243 pub(crate) fn index_key_item_field_missing_on_lookup_row(field: &str) -> Self {
245 Self::index_invariant(format!(
246 "index key item field missing on lookup row: {field}",
247 ))
248 }
249
250 pub(crate) fn index_expression_source_type_mismatch(
252 index_name: &str,
253 expression: impl fmt::Display,
254 expected: &str,
255 source_label: &str,
256 ) -> Self {
257 Self::index_invariant(format!(
258 "index '{index_name}' expression '{expression}' expected {expected} source value, got {source_label}",
259 ))
260 }
261
262 #[cold]
265 #[inline(never)]
266 pub(crate) fn planner_executor_invariant(reason: impl Into<String>) -> Self {
267 Self::new(
268 ErrorClass::InvariantViolation,
269 ErrorOrigin::Planner,
270 Self::executor_invariant_message(reason),
271 )
272 }
273
274 #[cold]
277 #[inline(never)]
278 pub(crate) fn query_executor_invariant(reason: impl Into<String>) -> Self {
279 Self::new(
280 ErrorClass::InvariantViolation,
281 ErrorOrigin::Query,
282 Self::executor_invariant_message(reason),
283 )
284 }
285
286 #[cold]
289 #[inline(never)]
290 pub(crate) fn cursor_executor_invariant(reason: impl Into<String>) -> Self {
291 Self::new(
292 ErrorClass::InvariantViolation,
293 ErrorOrigin::Cursor,
294 Self::executor_invariant_message(reason),
295 )
296 }
297
298 #[cold]
300 #[inline(never)]
301 pub(crate) fn executor_invariant(message: impl Into<String>) -> Self {
302 Self::new(
303 ErrorClass::InvariantViolation,
304 ErrorOrigin::Executor,
305 message.into(),
306 )
307 }
308
309 #[cold]
311 #[inline(never)]
312 pub(crate) fn executor_internal(message: impl Into<String>) -> Self {
313 Self::new(ErrorClass::Internal, ErrorOrigin::Executor, message.into())
314 }
315
316 #[cold]
318 #[inline(never)]
319 pub(crate) fn executor_unsupported(message: impl Into<String>) -> Self {
320 Self::new(
321 ErrorClass::Unsupported,
322 ErrorOrigin::Executor,
323 message.into(),
324 )
325 }
326
327 pub(crate) fn mutation_entity_primary_key_missing(entity_path: &str, field_name: &str) -> Self {
329 Self::executor_invariant(format!(
330 "entity primary key field missing: {entity_path} field={field_name}",
331 ))
332 }
333
334 pub(crate) fn mutation_entity_primary_key_invalid_value(
336 entity_path: &str,
337 field_name: &str,
338 value: &crate::value::Value,
339 ) -> Self {
340 Self::executor_invariant(format!(
341 "entity primary key field has invalid value: {entity_path} field={field_name} value={value:?}",
342 ))
343 }
344
345 pub(crate) fn mutation_entity_primary_key_type_mismatch(
347 entity_path: &str,
348 field_name: &str,
349 value: &crate::value::Value,
350 ) -> Self {
351 Self::executor_invariant(format!(
352 "entity primary key field type mismatch: {entity_path} field={field_name} value={value:?}",
353 ))
354 }
355
356 pub(crate) fn mutation_entity_primary_key_mismatch(
358 entity_path: &str,
359 field_name: &str,
360 field_value: &crate::value::Value,
361 identity_key: &crate::value::Value,
362 ) -> Self {
363 Self::executor_invariant(format!(
364 "entity primary key mismatch: {entity_path} field={field_name} field_value={field_value:?} id_key={identity_key:?}",
365 ))
366 }
367
368 pub(crate) fn mutation_entity_field_missing(
370 entity_path: &str,
371 field_name: &str,
372 indexed: bool,
373 ) -> Self {
374 let indexed_note = if indexed { " (indexed)" } else { "" };
375
376 Self::executor_invariant(format!(
377 "entity field missing: {entity_path} field={field_name}{indexed_note}",
378 ))
379 }
380
381 pub(crate) fn mutation_entity_field_type_mismatch(
383 entity_path: &str,
384 field_name: &str,
385 value: &crate::value::Value,
386 ) -> Self {
387 Self::executor_invariant(format!(
388 "entity field type mismatch: {entity_path} field={field_name} value={value:?}",
389 ))
390 }
391
392 pub(crate) fn mutation_generated_field_explicit(entity_path: &str, field_name: &str) -> Self {
394 Self::executor_unsupported(format!(
395 "generated field may not be explicitly written: {entity_path} field={field_name}",
396 ))
397 }
398
399 pub(crate) fn mutation_create_missing_authored_fields(
401 entity_path: &str,
402 field_names: &str,
403 ) -> Self {
404 Self::executor_unsupported(format!(
405 "create requires explicit values for authorable fields {field_names}: {entity_path}",
406 ))
407 }
408
409 pub(crate) fn mutation_structural_after_image_invalid(
414 entity_path: &str,
415 data_key: impl fmt::Display,
416 detail: impl AsRef<str>,
417 ) -> Self {
418 Self::executor_invariant(format!(
419 "mutation result is invalid: {entity_path} key={data_key} ({})",
420 detail.as_ref(),
421 ))
422 }
423
424 pub(crate) fn mutation_structural_field_unknown(entity_path: &str, field_name: &str) -> Self {
426 Self::executor_invariant(format!(
427 "mutation field not found: {entity_path} field={field_name}",
428 ))
429 }
430
431 pub(crate) fn mutation_decimal_scale_mismatch(
433 entity_path: &str,
434 field_name: &str,
435 expected_scale: impl fmt::Display,
436 actual_scale: impl fmt::Display,
437 ) -> Self {
438 Self::executor_unsupported(format!(
439 "decimal field scale mismatch: {entity_path} field={field_name} expected_scale={expected_scale} actual_scale={actual_scale}",
440 ))
441 }
442
443 pub(crate) fn mutation_set_field_list_required(entity_path: &str, field_name: &str) -> Self {
445 Self::executor_invariant(format!(
446 "set field must encode as Value::List: {entity_path} field={field_name}",
447 ))
448 }
449
450 pub(crate) fn mutation_set_field_not_canonical(entity_path: &str, field_name: &str) -> Self {
452 Self::executor_invariant(format!(
453 "set field must be strictly ordered and deduplicated: {entity_path} field={field_name}",
454 ))
455 }
456
457 pub(crate) fn mutation_map_field_map_required(entity_path: &str, field_name: &str) -> Self {
459 Self::executor_invariant(format!(
460 "map field must encode as Value::Map: {entity_path} field={field_name}",
461 ))
462 }
463
464 pub(crate) fn mutation_map_field_entries_invalid(
466 entity_path: &str,
467 field_name: &str,
468 detail: impl fmt::Display,
469 ) -> Self {
470 Self::executor_invariant(format!(
471 "map field entries violate map invariants: {entity_path} field={field_name} ({detail})",
472 ))
473 }
474
475 pub(crate) fn mutation_map_field_entries_not_canonical(
477 entity_path: &str,
478 field_name: &str,
479 ) -> Self {
480 Self::executor_invariant(format!(
481 "map field entries are not in canonical deterministic order: {entity_path} field={field_name}",
482 ))
483 }
484
485 pub(crate) fn scalar_page_predicate_slots_required() -> Self {
487 Self::query_executor_invariant("post-access filtering requires precompiled predicate slots")
488 }
489
490 pub(crate) fn scalar_page_ordering_after_filtering_required() -> Self {
492 Self::query_executor_invariant("ordering must run after filtering")
493 }
494
495 pub(crate) fn scalar_page_cursor_boundary_order_required() -> Self {
497 Self::query_executor_invariant("cursor boundary requires ordering")
498 }
499
500 pub(crate) fn scalar_page_cursor_boundary_after_ordering_required() -> Self {
502 Self::query_executor_invariant("cursor boundary must run after ordering")
503 }
504
505 pub(crate) fn scalar_page_pagination_after_ordering_required() -> Self {
507 Self::query_executor_invariant("pagination must run after ordering")
508 }
509
510 pub(crate) fn scalar_page_delete_limit_after_ordering_required() -> Self {
512 Self::query_executor_invariant("delete limit must run after ordering")
513 }
514
515 pub(crate) fn load_runtime_scalar_payload_required() -> Self {
517 Self::query_executor_invariant("scalar load mode must carry scalar runtime payload")
518 }
519
520 pub(crate) fn load_runtime_grouped_payload_required() -> Self {
522 Self::query_executor_invariant("grouped load mode must carry grouped runtime payload")
523 }
524
525 pub(crate) fn load_runtime_scalar_surface_payload_required() -> Self {
527 Self::query_executor_invariant("scalar page load mode must carry scalar runtime payload")
528 }
529
530 pub(crate) fn load_runtime_grouped_surface_payload_required() -> Self {
532 Self::query_executor_invariant("grouped page load mode must carry grouped runtime payload")
533 }
534
535 pub(crate) fn load_executor_load_plan_required() -> Self {
537 Self::query_executor_invariant("load executor requires load plans")
538 }
539
540 pub(crate) fn delete_executor_grouped_unsupported() -> Self {
542 Self::executor_unsupported("grouped query execution is not yet enabled in this release")
543 }
544
545 pub(crate) fn delete_executor_delete_plan_required() -> Self {
547 Self::query_executor_invariant("delete executor requires delete plans")
548 }
549
550 pub(crate) fn aggregate_fold_mode_terminal_contract_required() -> Self {
552 Self::query_executor_invariant(
553 "aggregate fold mode must match route fold-mode contract for aggregate terminal",
554 )
555 }
556
557 pub(crate) fn fast_stream_exact_key_count_required() -> Self {
559 Self::query_executor_invariant("fast-path stream must expose an exact key-count hint")
560 }
561
562 pub(crate) fn fast_stream_route_kind_request_match_required() -> Self {
564 Self::query_executor_invariant("fast-stream route kind/request mismatch")
565 }
566
567 pub(crate) fn secondary_index_prefix_spec_required() -> Self {
569 Self::query_executor_invariant(
570 "index-prefix executable spec must be materialized for index-prefix plans",
571 )
572 }
573
574 pub(crate) fn index_range_limit_spec_required() -> Self {
576 Self::query_executor_invariant(
577 "index-range executable spec must be materialized for index-range plans",
578 )
579 }
580
581 pub(crate) fn mutation_atomic_save_duplicate_key(
583 entity_path: &str,
584 key: impl fmt::Display,
585 ) -> Self {
586 Self::executor_unsupported(format!(
587 "atomic save batch rejected duplicate key: entity={entity_path} key={key}",
588 ))
589 }
590
591 pub(crate) fn mutation_index_store_generation_changed(
593 expected_generation: u64,
594 observed_generation: u64,
595 ) -> Self {
596 Self::executor_invariant(format!(
597 "index store generation changed between preflight and apply: expected {expected_generation}, found {observed_generation}",
598 ))
599 }
600
601 #[must_use]
603 #[cold]
604 #[inline(never)]
605 pub(crate) fn executor_invariant_message(reason: impl Into<String>) -> String {
606 format!("executor invariant violated: {}", reason.into())
607 }
608
609 #[cold]
611 #[inline(never)]
612 pub(crate) fn planner_invariant(message: impl Into<String>) -> Self {
613 Self::new(
614 ErrorClass::InvariantViolation,
615 ErrorOrigin::Planner,
616 message.into(),
617 )
618 }
619
620 #[must_use]
622 pub(crate) fn invalid_logical_plan_message(reason: impl Into<String>) -> String {
623 format!("invalid logical plan: {}", reason.into())
624 }
625
626 pub(crate) fn query_invalid_logical_plan(reason: impl Into<String>) -> Self {
628 Self::planner_invariant(Self::invalid_logical_plan_message(reason))
629 }
630
631 #[cold]
633 #[inline(never)]
634 pub(crate) fn query_invariant(message: impl Into<String>) -> Self {
635 Self::new(
636 ErrorClass::InvariantViolation,
637 ErrorOrigin::Query,
638 message.into(),
639 )
640 }
641
642 pub(crate) fn store_invariant(message: impl Into<String>) -> Self {
644 Self::new(
645 ErrorClass::InvariantViolation,
646 ErrorOrigin::Store,
647 message.into(),
648 )
649 }
650
651 pub(crate) fn duplicate_runtime_hooks_for_entity_tag(
653 entity_tag: crate::types::EntityTag,
654 ) -> Self {
655 Self::store_invariant(format!(
656 "duplicate runtime hooks for entity tag '{}'",
657 entity_tag.value()
658 ))
659 }
660
661 pub(crate) fn duplicate_runtime_hooks_for_entity_path(entity_path: &str) -> Self {
663 Self::store_invariant(format!(
664 "duplicate runtime hooks for entity path '{entity_path}'"
665 ))
666 }
667
668 #[cold]
670 #[inline(never)]
671 pub(crate) fn store_internal(message: impl Into<String>) -> Self {
672 Self::new(ErrorClass::Internal, ErrorOrigin::Store, message.into())
673 }
674
675 pub(crate) fn commit_memory_id_unconfigured() -> Self {
677 Self::store_internal(
678 "commit memory id is not configured; initialize recovery before commit store access",
679 )
680 }
681
682 pub(crate) fn commit_memory_id_mismatch(cached_id: u8, configured_id: u8) -> Self {
684 Self::store_internal(format!(
685 "commit memory id mismatch: cached={cached_id}, configured={configured_id}",
686 ))
687 }
688
689 pub(crate) fn delete_rollback_row_required() -> Self {
691 Self::store_internal("missing raw row for delete rollback")
692 }
693
694 pub(crate) fn commit_memory_registry_init_failed(err: impl fmt::Display) -> Self {
696 Self::store_internal(format!("memory registry init failed: {err}"))
697 }
698
699 pub(crate) fn migration_next_step_index_u64_required(id: &str, version: u64) -> Self {
701 Self::store_internal(format!(
702 "migration '{id}@{version}' next step index does not fit persisted u64 cursor",
703 ))
704 }
705
706 pub(crate) fn recovery_integrity_validation_failed(
708 missing_index_entries: u64,
709 divergent_index_entries: u64,
710 orphan_index_references: u64,
711 ) -> Self {
712 Self::store_corruption(format!(
713 "recovery integrity validation failed: missing_index_entries={missing_index_entries} divergent_index_entries={divergent_index_entries} orphan_index_references={orphan_index_references}",
714 ))
715 }
716
717 #[cold]
719 #[inline(never)]
720 pub(crate) fn index_internal(message: impl Into<String>) -> Self {
721 Self::new(ErrorClass::Internal, ErrorOrigin::Index, message.into())
722 }
723
724 pub(crate) fn structural_index_removal_entity_key_required() -> Self {
726 Self::index_internal("missing old entity key for structural index removal")
727 }
728
729 pub(crate) fn structural_index_insertion_entity_key_required() -> Self {
731 Self::index_internal("missing new entity key for structural index insertion")
732 }
733
734 pub(crate) fn index_commit_op_old_entity_key_required() -> Self {
736 Self::index_internal("missing old entity key for index removal")
737 }
738
739 pub(crate) fn index_commit_op_new_entity_key_required() -> Self {
741 Self::index_internal("missing new entity key for index insertion")
742 }
743
744 #[cfg(test)]
746 pub(crate) fn query_internal(message: impl Into<String>) -> Self {
747 Self::new(ErrorClass::Internal, ErrorOrigin::Query, message.into())
748 }
749
750 #[cold]
752 #[inline(never)]
753 pub(crate) fn query_unsupported(message: impl Into<String>) -> Self {
754 Self::new(ErrorClass::Unsupported, ErrorOrigin::Query, message.into())
755 }
756
757 #[cold]
759 #[inline(never)]
760 pub(crate) fn serialize_internal(message: impl Into<String>) -> Self {
761 Self::new(ErrorClass::Internal, ErrorOrigin::Serialize, message.into())
762 }
763
764 pub(crate) fn persisted_row_encode_failed(detail: impl fmt::Display) -> Self {
766 Self::serialize_internal(format!("row encode failed: {detail}"))
767 }
768
769 pub(crate) fn persisted_row_field_encode_failed(
771 field_name: &str,
772 detail: impl fmt::Display,
773 ) -> Self {
774 Self::serialize_internal(format!(
775 "row encode failed for field '{field_name}': {detail}",
776 ))
777 }
778
779 pub(crate) fn bytes_field_value_encode_failed(detail: impl fmt::Display) -> Self {
781 Self::serialize_internal(format!("bytes(field) value encode failed: {detail}"))
782 }
783
784 pub(crate) fn migration_state_serialize_failed(err: impl fmt::Display) -> Self {
786 Self::serialize_internal(format!("failed to serialize migration state: {err}"))
787 }
788
789 #[cold]
791 #[inline(never)]
792 pub(crate) fn store_corruption(message: impl Into<String>) -> Self {
793 Self::new(ErrorClass::Corruption, ErrorOrigin::Store, message.into())
794 }
795
796 pub(crate) fn multiple_commit_memory_ids_registered(ids: impl fmt::Debug) -> Self {
798 Self::store_corruption(format!(
799 "multiple commit marker memory ids registered: {ids:?}"
800 ))
801 }
802
803 pub(crate) fn migration_persisted_step_index_invalid_usize(
805 id: &str,
806 version: u64,
807 step_index: u64,
808 ) -> Self {
809 Self::store_corruption(format!(
810 "migration '{id}@{version}' persisted step index does not fit runtime usize: {step_index}",
811 ))
812 }
813
814 pub(crate) fn migration_persisted_step_index_out_of_bounds(
816 id: &str,
817 version: u64,
818 step_index: usize,
819 total_steps: usize,
820 ) -> Self {
821 Self::store_corruption(format!(
822 "migration '{id}@{version}' persisted step index out of bounds: {step_index} > {total_steps}",
823 ))
824 }
825
826 pub(crate) fn commit_corruption(detail: impl fmt::Display) -> Self {
828 Self::store_corruption(format!("commit marker corrupted: {detail}"))
829 }
830
831 pub(crate) fn commit_component_corruption(component: &str, detail: impl fmt::Display) -> Self {
833 Self::store_corruption(format!("commit marker {component} corrupted: {detail}"))
834 }
835
836 pub(crate) fn commit_id_generation_failed(detail: impl fmt::Display) -> Self {
838 Self::store_internal(format!("commit id generation failed: {detail}"))
839 }
840
841 pub(crate) fn commit_marker_payload_exceeds_u32_length_limit(label: &str, len: usize) -> Self {
843 Self::store_unsupported(format!("{label} exceeds u32 length limit: {len} bytes"))
844 }
845
846 pub(crate) fn commit_component_length_invalid(
848 component: &str,
849 len: usize,
850 expected: impl fmt::Display,
851 ) -> Self {
852 Self::commit_component_corruption(
853 component,
854 format!("invalid length {len}, expected {expected}"),
855 )
856 }
857
858 pub(crate) fn commit_marker_exceeds_max_size(size: usize, max_size: u32) -> Self {
860 Self::commit_corruption(format!(
861 "commit marker exceeds max size: {size} bytes (limit {max_size})",
862 ))
863 }
864
865 #[cfg(test)]
867 pub(crate) fn commit_marker_exceeds_max_size_before_persist(
868 size: usize,
869 max_size: u32,
870 ) -> Self {
871 Self::store_unsupported(format!(
872 "commit marker exceeds max size: {size} bytes (limit {max_size})",
873 ))
874 }
875
876 pub(crate) fn commit_control_slot_exceeds_max_size(size: usize, max_size: u32) -> Self {
878 Self::store_unsupported(format!(
879 "commit control slot exceeds max size: {size} bytes (limit {max_size})",
880 ))
881 }
882
883 pub(crate) fn commit_control_slot_marker_bytes_exceed_u32_length_limit(size: usize) -> Self {
885 Self::store_unsupported(format!(
886 "commit marker bytes exceed u32 length limit: {size} bytes",
887 ))
888 }
889
890 pub(crate) fn commit_control_slot_migration_bytes_exceed_u32_length_limit(size: usize) -> Self {
892 Self::store_unsupported(format!(
893 "commit migration bytes exceed u32 length limit: {size} bytes",
894 ))
895 }
896
897 pub(crate) fn startup_index_rebuild_invalid_data_key(
899 store_path: &str,
900 detail: impl fmt::Display,
901 ) -> Self {
902 Self::store_corruption(format!(
903 "startup index rebuild failed: invalid data key in store '{store_path}' ({detail})",
904 ))
905 }
906
907 #[cold]
909 #[inline(never)]
910 pub(crate) fn index_corruption(message: impl Into<String>) -> Self {
911 Self::new(ErrorClass::Corruption, ErrorOrigin::Index, message.into())
912 }
913
914 pub(crate) fn index_unique_validation_corruption(
916 entity_path: &str,
917 fields: &str,
918 detail: impl fmt::Display,
919 ) -> Self {
920 Self::index_plan_index_corruption(format!(
921 "index corrupted: {entity_path} ({fields}) -> {detail}",
922 ))
923 }
924
925 pub(crate) fn structural_index_entry_corruption(
927 entity_path: &str,
928 fields: &str,
929 detail: impl fmt::Display,
930 ) -> Self {
931 Self::index_plan_index_corruption(format!(
932 "index corrupted: {entity_path} ({fields}) -> {detail}",
933 ))
934 }
935
936 pub(crate) fn index_unique_validation_entity_key_required() -> Self {
938 Self::index_invariant("missing entity key during unique validation")
939 }
940
941 pub(crate) fn index_unique_validation_row_deserialize_failed(
943 data_key: impl fmt::Display,
944 source: impl fmt::Display,
945 ) -> Self {
946 Self::index_plan_serialize_corruption(format!(
947 "failed to structurally deserialize row: {data_key} ({source})"
948 ))
949 }
950
951 pub(crate) fn index_unique_validation_primary_key_decode_failed(
953 data_key: impl fmt::Display,
954 source: impl fmt::Display,
955 ) -> Self {
956 Self::index_plan_serialize_corruption(format!(
957 "failed to decode structural primary-key slot: {data_key} ({source})"
958 ))
959 }
960
961 pub(crate) fn index_unique_validation_key_rebuild_failed(
963 data_key: impl fmt::Display,
964 entity_path: &str,
965 source: impl fmt::Display,
966 ) -> Self {
967 Self::index_plan_serialize_corruption(format!(
968 "failed to structurally decode unique key row {data_key} for {entity_path}: {source}",
969 ))
970 }
971
972 pub(crate) fn index_unique_validation_row_required(data_key: impl fmt::Display) -> Self {
974 Self::index_plan_store_corruption(format!("missing row: {data_key}"))
975 }
976
977 pub(crate) fn index_only_predicate_component_required() -> Self {
979 Self::index_invariant("index-only predicate program referenced missing index component")
980 }
981
982 pub(crate) fn index_scan_continuation_anchor_within_envelope_required() -> Self {
984 Self::index_invariant(
985 "index-range continuation anchor is outside the requested range envelope",
986 )
987 }
988
989 pub(crate) fn index_scan_continuation_advancement_required() -> Self {
991 Self::index_invariant("index-range continuation scan did not advance beyond the anchor")
992 }
993
994 pub(crate) fn index_scan_key_corrupted_during(
996 context: &'static str,
997 err: impl fmt::Display,
998 ) -> Self {
999 Self::index_corruption(format!("index key corrupted during {context}: {err}"))
1000 }
1001
1002 pub(crate) fn index_projection_component_required(
1004 index_name: &str,
1005 component_index: usize,
1006 ) -> Self {
1007 Self::index_invariant(format!(
1008 "index projection referenced missing component: index='{index_name}' component_index={component_index}",
1009 ))
1010 }
1011
1012 pub(crate) fn unique_index_entry_single_key_required() -> Self {
1014 Self::index_corruption("unique index entry contains an unexpected number of keys")
1015 }
1016
1017 pub(crate) fn index_entry_decode_failed(err: impl fmt::Display) -> Self {
1019 Self::index_corruption(err.to_string())
1020 }
1021
1022 pub(crate) fn serialize_corruption(message: impl Into<String>) -> Self {
1024 Self::new(
1025 ErrorClass::Corruption,
1026 ErrorOrigin::Serialize,
1027 message.into(),
1028 )
1029 }
1030
1031 pub(crate) fn persisted_row_decode_failed(detail: impl fmt::Display) -> Self {
1033 Self::serialize_corruption(format!("row decode: {detail}"))
1034 }
1035
1036 pub(crate) fn persisted_row_field_decode_failed(
1038 field_name: &str,
1039 detail: impl fmt::Display,
1040 ) -> Self {
1041 Self::serialize_corruption(format!(
1042 "row decode failed for field '{field_name}': {detail}",
1043 ))
1044 }
1045
1046 pub(crate) fn persisted_row_field_kind_decode_failed(
1048 field_name: &str,
1049 field_kind: impl fmt::Debug,
1050 detail: impl fmt::Display,
1051 ) -> Self {
1052 Self::persisted_row_field_decode_failed(
1053 field_name,
1054 format!("kind={field_kind:?}: {detail}"),
1055 )
1056 }
1057
1058 pub(crate) fn persisted_row_field_payload_exact_len_required(
1060 field_name: &str,
1061 payload_kind: &str,
1062 expected_len: usize,
1063 ) -> Self {
1064 let unit = if expected_len == 1 { "byte" } else { "bytes" };
1065
1066 Self::persisted_row_field_decode_failed(
1067 field_name,
1068 format!("{payload_kind} payload must be exactly {expected_len} {unit}"),
1069 )
1070 }
1071
1072 pub(crate) fn persisted_row_field_payload_must_be_empty(
1074 field_name: &str,
1075 payload_kind: &str,
1076 ) -> Self {
1077 Self::persisted_row_field_decode_failed(
1078 field_name,
1079 format!("{payload_kind} payload must be empty"),
1080 )
1081 }
1082
1083 pub(crate) fn persisted_row_field_payload_invalid_byte(
1085 field_name: &str,
1086 payload_kind: &str,
1087 value: u8,
1088 ) -> Self {
1089 Self::persisted_row_field_decode_failed(
1090 field_name,
1091 format!("invalid {payload_kind} payload byte {value}"),
1092 )
1093 }
1094
1095 pub(crate) fn persisted_row_field_payload_non_finite(
1097 field_name: &str,
1098 payload_kind: &str,
1099 ) -> Self {
1100 Self::persisted_row_field_decode_failed(
1101 field_name,
1102 format!("{payload_kind} payload is non-finite"),
1103 )
1104 }
1105
1106 pub(crate) fn persisted_row_field_payload_out_of_range(
1108 field_name: &str,
1109 payload_kind: &str,
1110 ) -> Self {
1111 Self::persisted_row_field_decode_failed(
1112 field_name,
1113 format!("{payload_kind} payload out of range for target type"),
1114 )
1115 }
1116
1117 pub(crate) fn persisted_row_field_text_payload_invalid_utf8(
1119 field_name: &str,
1120 detail: impl fmt::Display,
1121 ) -> Self {
1122 Self::persisted_row_field_decode_failed(
1123 field_name,
1124 format!("invalid UTF-8 text payload ({detail})"),
1125 )
1126 }
1127
1128 pub(crate) fn persisted_row_slot_lookup_out_of_bounds(model_path: &str, slot: usize) -> Self {
1130 Self::index_invariant(format!(
1131 "slot lookup outside model bounds during structural row access: model='{model_path}' slot={slot}",
1132 ))
1133 }
1134
1135 pub(crate) fn persisted_row_slot_cache_lookup_out_of_bounds(
1137 model_path: &str,
1138 slot: usize,
1139 ) -> Self {
1140 Self::index_invariant(format!(
1141 "slot cache lookup outside model bounds during structural row access: model='{model_path}' slot={slot}",
1142 ))
1143 }
1144
1145 pub(crate) fn persisted_row_primary_key_not_storage_encodable(
1147 data_key: impl fmt::Debug,
1148 detail: impl fmt::Display,
1149 ) -> Self {
1150 Self::persisted_row_decode_failed(format!(
1151 "primary-key value is not storage-key encodable: {data_key:?} ({detail})",
1152 ))
1153 }
1154
1155 pub(crate) fn persisted_row_primary_key_slot_missing(data_key: impl fmt::Debug) -> Self {
1157 Self::persisted_row_decode_failed(format!(
1158 "missing primary-key slot while validating {data_key:?}",
1159 ))
1160 }
1161
1162 pub(crate) fn persisted_row_key_mismatch(
1164 expected_key: impl fmt::Debug,
1165 found_key: impl fmt::Debug,
1166 ) -> Self {
1167 Self::store_corruption(format!(
1168 "row key mismatch: expected {expected_key:?}, found {found_key:?}",
1169 ))
1170 }
1171
1172 pub(crate) fn persisted_row_declared_field_missing(field_name: &str) -> Self {
1174 Self::persisted_row_decode_failed(format!("missing declared field `{field_name}`"))
1175 }
1176
1177 pub(crate) fn data_key_entity_mismatch(
1179 expected: impl fmt::Display,
1180 found: impl fmt::Display,
1181 ) -> Self {
1182 Self::store_corruption(format!(
1183 "data key entity mismatch: expected {expected}, found {found}",
1184 ))
1185 }
1186
1187 pub(crate) fn data_key_primary_key_decode_failed(value: impl fmt::Debug) -> Self {
1189 Self::store_corruption(format!("data key primary key decode failed: {value:?}",))
1190 }
1191
1192 pub(crate) fn reverse_index_ordinal_overflow(
1194 source_path: &str,
1195 field_name: &str,
1196 target_path: &str,
1197 detail: impl fmt::Display,
1198 ) -> Self {
1199 Self::index_internal(format!(
1200 "reverse index ordinal overflow: source={source_path} field={field_name} target={target_path} ({detail})",
1201 ))
1202 }
1203
1204 pub(crate) fn reverse_index_entry_corrupted(
1206 source_path: &str,
1207 field_name: &str,
1208 target_path: &str,
1209 index_key: impl fmt::Debug,
1210 detail: impl fmt::Display,
1211 ) -> Self {
1212 Self::index_corruption(format!(
1213 "reverse index entry corrupted: source={source_path} field={field_name} target={target_path} key={index_key:?} ({detail})",
1214 ))
1215 }
1216
1217 pub(crate) fn reverse_index_entry_encode_failed(
1219 source_path: &str,
1220 field_name: &str,
1221 target_path: &str,
1222 detail: impl fmt::Display,
1223 ) -> Self {
1224 Self::index_unsupported(format!(
1225 "reverse index entry encoding failed: source={source_path} field={field_name} target={target_path} ({detail})",
1226 ))
1227 }
1228
1229 pub(crate) fn relation_target_store_missing(
1231 source_path: &str,
1232 field_name: &str,
1233 target_path: &str,
1234 store_path: &str,
1235 detail: impl fmt::Display,
1236 ) -> Self {
1237 Self::executor_internal(format!(
1238 "relation target store missing: source={source_path} field={field_name} target={target_path} store={store_path} ({detail})",
1239 ))
1240 }
1241
1242 pub(crate) fn relation_target_key_decode_failed(
1244 context_label: &str,
1245 source_path: &str,
1246 field_name: &str,
1247 target_path: &str,
1248 detail: impl fmt::Display,
1249 ) -> Self {
1250 Self::identity_corruption(format!(
1251 "{context_label}: source={source_path} field={field_name} target={target_path} ({detail})",
1252 ))
1253 }
1254
1255 pub(crate) fn relation_target_entity_mismatch(
1257 context_label: &str,
1258 source_path: &str,
1259 field_name: &str,
1260 target_path: &str,
1261 target_entity_name: &str,
1262 expected_tag: impl fmt::Display,
1263 actual_tag: impl fmt::Display,
1264 ) -> Self {
1265 Self::store_corruption(format!(
1266 "{context_label}: source={source_path} field={field_name} target={target_path} expected={target_entity_name} (tag={expected_tag}) actual_tag={actual_tag}",
1267 ))
1268 }
1269
1270 pub(crate) fn relation_source_row_decode_failed(
1272 source_path: &str,
1273 field_name: &str,
1274 target_path: &str,
1275 detail: impl fmt::Display,
1276 ) -> Self {
1277 Self::serialize_corruption(format!(
1278 "relation source row decode: source={source_path} field={field_name} target={target_path} ({detail})",
1279 ))
1280 }
1281
1282 pub(crate) fn relation_source_row_unsupported_scalar_relation_key(
1284 source_path: &str,
1285 field_name: &str,
1286 target_path: &str,
1287 ) -> Self {
1288 Self::serialize_corruption(format!(
1289 "relation source row decode: unsupported scalar relation key: source={source_path} field={field_name} target={target_path}",
1290 ))
1291 }
1292
1293 pub(crate) fn relation_source_row_invalid_field_kind(field_kind: impl fmt::Debug) -> Self {
1295 Self::serialize_corruption(format!(
1296 "invalid strong relation field kind during structural decode: {field_kind:?}"
1297 ))
1298 }
1299
1300 pub(crate) fn relation_source_row_unsupported_key_kind(field_kind: impl fmt::Debug) -> Self {
1302 Self::serialize_corruption(format!(
1303 "unsupported strong relation key kind during structural decode: {field_kind:?}"
1304 ))
1305 }
1306
1307 pub(crate) fn reverse_index_relation_target_decode_invariant_violated(
1309 source_path: &str,
1310 field_name: &str,
1311 target_path: &str,
1312 ) -> Self {
1313 Self::executor_internal(format!(
1314 "relation target decode invariant violated while preparing reverse index: source={source_path} field={field_name} target={target_path}",
1315 ))
1316 }
1317
1318 pub(crate) fn bytes_covering_component_payload_empty() -> Self {
1320 Self::index_corruption("index component payload is empty during covering projection decode")
1321 }
1322
1323 pub(crate) fn bytes_covering_bool_payload_truncated() -> Self {
1325 Self::index_corruption("bool covering component payload is truncated")
1326 }
1327
1328 pub(crate) fn bytes_covering_component_payload_invalid_length(payload_kind: &str) -> Self {
1330 Self::index_corruption(format!(
1331 "{payload_kind} covering component payload has invalid length"
1332 ))
1333 }
1334
1335 pub(crate) fn bytes_covering_bool_payload_invalid_value() -> Self {
1337 Self::index_corruption("bool covering component payload has invalid value")
1338 }
1339
1340 pub(crate) fn bytes_covering_text_payload_invalid_terminator() -> Self {
1342 Self::index_corruption("text covering component payload has invalid terminator")
1343 }
1344
1345 pub(crate) fn bytes_covering_text_payload_trailing_bytes() -> Self {
1347 Self::index_corruption("text covering component payload contains trailing bytes")
1348 }
1349
1350 pub(crate) fn bytes_covering_text_payload_invalid_utf8() -> Self {
1352 Self::index_corruption("text covering component payload is not valid UTF-8")
1353 }
1354
1355 pub(crate) fn bytes_covering_text_payload_invalid_escape_byte() -> Self {
1357 Self::index_corruption("text covering component payload has invalid escape byte")
1358 }
1359
1360 pub(crate) fn bytes_covering_text_payload_missing_terminator() -> Self {
1362 Self::index_corruption("text covering component payload is missing terminator")
1363 }
1364
1365 #[must_use]
1367 pub fn missing_persisted_slot(field_name: &'static str) -> Self {
1368 Self::serialize_corruption(format!("row decode: missing required field '{field_name}'",))
1369 }
1370
1371 pub(crate) fn identity_corruption(message: impl Into<String>) -> Self {
1373 Self::new(
1374 ErrorClass::Corruption,
1375 ErrorOrigin::Identity,
1376 message.into(),
1377 )
1378 }
1379
1380 #[cold]
1382 #[inline(never)]
1383 pub(crate) fn store_unsupported(message: impl Into<String>) -> Self {
1384 Self::new(ErrorClass::Unsupported, ErrorOrigin::Store, message.into())
1385 }
1386
1387 pub(crate) fn migration_label_empty(label: &str) -> Self {
1389 Self::store_unsupported(format!("{label} cannot be empty"))
1390 }
1391
1392 pub(crate) fn migration_step_row_ops_required(name: &str) -> Self {
1394 Self::store_unsupported(format!(
1395 "migration step '{name}' must include at least one row op",
1396 ))
1397 }
1398
1399 pub(crate) fn migration_plan_version_required(id: &str) -> Self {
1401 Self::store_unsupported(format!("migration plan '{id}' version must be > 0",))
1402 }
1403
1404 pub(crate) fn migration_plan_steps_required(id: &str) -> Self {
1406 Self::store_unsupported(format!(
1407 "migration plan '{id}' must include at least one step",
1408 ))
1409 }
1410
1411 pub(crate) fn migration_cursor_out_of_bounds(
1413 id: &str,
1414 version: u64,
1415 next_step: usize,
1416 total_steps: usize,
1417 ) -> Self {
1418 Self::store_unsupported(format!(
1419 "migration '{id}@{version}' cursor out of bounds: next_step={next_step} total_steps={total_steps}",
1420 ))
1421 }
1422
1423 pub(crate) fn migration_execution_requires_max_steps(id: &str) -> Self {
1425 Self::store_unsupported(format!("migration '{id}' execution requires max_steps > 0",))
1426 }
1427
1428 pub(crate) fn migration_in_progress_conflict(
1430 requested_id: &str,
1431 requested_version: u64,
1432 active_id: &str,
1433 active_version: u64,
1434 ) -> Self {
1435 Self::store_unsupported(format!(
1436 "migration '{requested_id}@{requested_version}' cannot execute while migration '{active_id}@{active_version}' is in progress",
1437 ))
1438 }
1439
1440 pub(crate) fn unsupported_entity_tag_in_data_store(
1442 entity_tag: crate::types::EntityTag,
1443 ) -> Self {
1444 Self::store_unsupported(format!(
1445 "unsupported entity tag in data store: '{}'",
1446 entity_tag.value()
1447 ))
1448 }
1449
1450 pub(crate) fn configured_commit_memory_id_mismatch(
1452 configured_id: u8,
1453 registered_id: u8,
1454 ) -> Self {
1455 Self::store_unsupported(format!(
1456 "configured commit memory id {configured_id} does not match existing commit marker id {registered_id}",
1457 ))
1458 }
1459
1460 pub(crate) fn commit_memory_id_already_registered(memory_id: u8, label: &str) -> Self {
1462 Self::store_unsupported(format!(
1463 "configured commit memory id {memory_id} is already registered as '{label}'",
1464 ))
1465 }
1466
1467 pub(crate) fn commit_memory_id_outside_reserved_ranges(memory_id: u8) -> Self {
1469 Self::store_unsupported(format!(
1470 "configured commit memory id {memory_id} is outside reserved ranges",
1471 ))
1472 }
1473
1474 pub(crate) fn commit_memory_id_registration_failed(err: impl fmt::Display) -> Self {
1476 Self::store_internal(format!("commit memory id registration failed: {err}"))
1477 }
1478
1479 pub(crate) fn index_unsupported(message: impl Into<String>) -> Self {
1481 Self::new(ErrorClass::Unsupported, ErrorOrigin::Index, message.into())
1482 }
1483
1484 pub(crate) fn index_component_exceeds_max_size(
1486 key_item: impl fmt::Display,
1487 len: usize,
1488 max_component_size: usize,
1489 ) -> Self {
1490 Self::index_unsupported(format!(
1491 "index component exceeds max size: key item '{key_item}' -> {len} bytes (limit {max_component_size})",
1492 ))
1493 }
1494
1495 pub(crate) fn index_entry_exceeds_max_keys(
1497 entity_path: &str,
1498 fields: &str,
1499 keys: usize,
1500 ) -> Self {
1501 Self::index_unsupported(format!(
1502 "index entry exceeds max keys: {entity_path} ({fields}) -> {keys} keys",
1503 ))
1504 }
1505
1506 #[cfg(test)]
1508 pub(crate) fn index_entry_duplicate_keys_unexpected(entity_path: &str, fields: &str) -> Self {
1509 Self::index_invariant(format!(
1510 "index entry unexpectedly contains duplicate keys: {entity_path} ({fields})",
1511 ))
1512 }
1513
1514 pub(crate) fn index_entry_key_encoding_failed(
1516 entity_path: &str,
1517 fields: &str,
1518 err: impl fmt::Display,
1519 ) -> Self {
1520 Self::index_unsupported(format!(
1521 "index entry key encoding failed: {entity_path} ({fields}) -> {err}",
1522 ))
1523 }
1524
1525 pub(crate) fn serialize_unsupported(message: impl Into<String>) -> Self {
1527 Self::new(
1528 ErrorClass::Unsupported,
1529 ErrorOrigin::Serialize,
1530 message.into(),
1531 )
1532 }
1533
1534 pub(crate) fn cursor_unsupported(message: impl Into<String>) -> Self {
1536 Self::new(ErrorClass::Unsupported, ErrorOrigin::Cursor, message.into())
1537 }
1538
1539 pub(crate) fn serialize_incompatible_persisted_format(message: impl Into<String>) -> Self {
1541 Self::new(
1542 ErrorClass::IncompatiblePersistedFormat,
1543 ErrorOrigin::Serialize,
1544 message.into(),
1545 )
1546 }
1547
1548 #[cfg(feature = "sql")]
1551 pub(crate) fn query_unsupported_sql_feature(feature: &'static str) -> Self {
1552 let message = format!(
1553 "SQL query is not executable in this release: unsupported SQL feature: {feature}"
1554 );
1555
1556 Self {
1557 class: ErrorClass::Unsupported,
1558 origin: ErrorOrigin::Query,
1559 message,
1560 detail: Some(ErrorDetail::Query(
1561 QueryErrorDetail::UnsupportedSqlFeature { feature },
1562 )),
1563 }
1564 }
1565
1566 pub fn store_not_found(key: impl Into<String>) -> Self {
1567 let key = key.into();
1568
1569 Self {
1570 class: ErrorClass::NotFound,
1571 origin: ErrorOrigin::Store,
1572 message: format!("data key not found: {key}"),
1573 detail: Some(ErrorDetail::Store(StoreError::NotFound { key })),
1574 }
1575 }
1576
1577 pub fn unsupported_entity_path(path: impl Into<String>) -> Self {
1579 let path = path.into();
1580
1581 Self::new(
1582 ErrorClass::Unsupported,
1583 ErrorOrigin::Store,
1584 format!("unsupported entity path: '{path}'"),
1585 )
1586 }
1587
1588 #[must_use]
1589 pub const fn is_not_found(&self) -> bool {
1590 matches!(
1591 self.detail,
1592 Some(ErrorDetail::Store(StoreError::NotFound { .. }))
1593 )
1594 }
1595
1596 #[must_use]
1597 pub fn display_with_class(&self) -> String {
1598 format!("{}:{}: {}", self.origin, self.class, self.message)
1599 }
1600
1601 #[cold]
1603 #[inline(never)]
1604 pub(crate) fn index_plan_corruption(origin: ErrorOrigin, message: impl Into<String>) -> Self {
1605 let message = message.into();
1606 Self::new(
1607 ErrorClass::Corruption,
1608 origin,
1609 format!("corruption detected ({origin}): {message}"),
1610 )
1611 }
1612
1613 #[cold]
1615 #[inline(never)]
1616 pub(crate) fn index_plan_index_corruption(message: impl Into<String>) -> Self {
1617 Self::index_plan_corruption(ErrorOrigin::Index, message)
1618 }
1619
1620 #[cold]
1622 #[inline(never)]
1623 pub(crate) fn index_plan_store_corruption(message: impl Into<String>) -> Self {
1624 Self::index_plan_corruption(ErrorOrigin::Store, message)
1625 }
1626
1627 #[cold]
1629 #[inline(never)]
1630 pub(crate) fn index_plan_serialize_corruption(message: impl Into<String>) -> Self {
1631 Self::index_plan_corruption(ErrorOrigin::Serialize, message)
1632 }
1633
1634 #[cfg(test)]
1636 pub(crate) fn index_plan_invariant(origin: ErrorOrigin, message: impl Into<String>) -> Self {
1637 let message = message.into();
1638 Self::new(
1639 ErrorClass::InvariantViolation,
1640 origin,
1641 format!("invariant violation detected ({origin}): {message}"),
1642 )
1643 }
1644
1645 #[cfg(test)]
1647 pub(crate) fn index_plan_store_invariant(message: impl Into<String>) -> Self {
1648 Self::index_plan_invariant(ErrorOrigin::Store, message)
1649 }
1650
1651 pub(crate) fn index_violation(path: &str, index_fields: &[&str]) -> Self {
1653 Self::new(
1654 ErrorClass::Conflict,
1655 ErrorOrigin::Index,
1656 format!(
1657 "index constraint violation: {path} ({})",
1658 index_fields.join(", ")
1659 ),
1660 )
1661 }
1662}
1663
1664#[derive(Debug, ThisError)]
1672pub enum ErrorDetail {
1673 #[error("{0}")]
1674 Store(StoreError),
1675 #[error("{0}")]
1676 Query(QueryErrorDetail),
1677 }
1684
1685#[derive(Debug, ThisError)]
1693pub enum StoreError {
1694 #[error("key not found: {key}")]
1695 NotFound { key: String },
1696
1697 #[error("store corruption: {message}")]
1698 Corrupt { message: String },
1699
1700 #[error("store invariant violation: {message}")]
1701 InvariantViolation { message: String },
1702}
1703
1704#[derive(Debug, ThisError)]
1711pub enum QueryErrorDetail {
1712 #[error("unsupported SQL feature: {feature}")]
1713 UnsupportedSqlFeature { feature: &'static str },
1714}
1715
1716#[derive(Clone, Copy, Debug, Eq, PartialEq)]
1723pub enum ErrorClass {
1724 Corruption,
1725 IncompatiblePersistedFormat,
1726 NotFound,
1727 Internal,
1728 Conflict,
1729 Unsupported,
1730 InvariantViolation,
1731}
1732
1733impl fmt::Display for ErrorClass {
1734 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1735 let label = match self {
1736 Self::Corruption => "corruption",
1737 Self::IncompatiblePersistedFormat => "incompatible_persisted_format",
1738 Self::NotFound => "not_found",
1739 Self::Internal => "internal",
1740 Self::Conflict => "conflict",
1741 Self::Unsupported => "unsupported",
1742 Self::InvariantViolation => "invariant_violation",
1743 };
1744 write!(f, "{label}")
1745 }
1746}
1747
1748#[derive(Clone, Copy, Debug, Eq, PartialEq)]
1755pub enum ErrorOrigin {
1756 Serialize,
1757 Store,
1758 Index,
1759 Identity,
1760 Query,
1761 Planner,
1762 Cursor,
1763 Recovery,
1764 Response,
1765 Executor,
1766 Interface,
1767}
1768
1769impl fmt::Display for ErrorOrigin {
1770 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1771 let label = match self {
1772 Self::Serialize => "serialize",
1773 Self::Store => "store",
1774 Self::Index => "index",
1775 Self::Identity => "identity",
1776 Self::Query => "query",
1777 Self::Planner => "planner",
1778 Self::Cursor => "cursor",
1779 Self::Recovery => "recovery",
1780 Self::Response => "response",
1781 Self::Executor => "executor",
1782 Self::Interface => "interface",
1783 };
1784 write!(f, "{label}")
1785 }
1786}