@kortexya/reasoninglayer 0.2.6 → 0.2.8

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/dist/index.d.cts CHANGED
@@ -109,7 +109,7 @@ type JsonValue$1 = string | number | boolean | null | JsonValue$1[] | object;
109
109
  * This is the single source of truth for the version constant.
110
110
  * The `scripts/release.sh` script updates this value alongside `package.json`.
111
111
  */
112
- declare const SDK_VERSION = "0.2.6";
112
+ declare const SDK_VERSION = "0.2.8";
113
113
  /**
114
114
  * Configuration for the Reasoning Layer client.
115
115
  *
@@ -2632,6 +2632,29 @@ type ConstraintInputDto$1 = {
2632
2632
  relation: string;
2633
2633
  type: "Allen";
2634
2634
  };
2635
+ /**
2636
+ * Session status information
2637
+ *
2638
+ * Renamed to avoid utoipa schema collision with the oversight module's
2639
+ * `SessionStatusResponse` (which has `alerts`, `current_score`, etc.).
2640
+ */
2641
+ interface ConstraintSessionStatusResponse {
2642
+ all_satisfied: boolean;
2643
+ /** @min 0 */
2644
+ constraint_count: number;
2645
+ /** @format date-time */
2646
+ created_at: string;
2647
+ current_bindings: Record<string, number>;
2648
+ /** @format date-time */
2649
+ last_accessed: string;
2650
+ metadata: Record<string, string>;
2651
+ /** @min 0 */
2652
+ satisfied_count: number;
2653
+ /** @format uuid */
2654
+ session_id: string;
2655
+ /** @min 0 */
2656
+ suspended_count: number;
2657
+ }
2635
2658
  /** Containment verification sub-DTO. */
2636
2659
  interface ContainmentVerificationDto$1 {
2637
2660
  /**
@@ -2834,6 +2857,17 @@ interface CreateCollectionRequest$1 {
2834
2857
  /** Tags for categorization */
2835
2858
  tags: string[];
2836
2859
  }
2860
+ /**
2861
+ * Request to create a new constraint session
2862
+ *
2863
+ * Renamed to avoid utoipa schema collision with the oversight module's
2864
+ * `CreateSessionRequest` (which has `user_intent`, `initial_steps`, etc.).
2865
+ */
2866
+ interface CreateConstraintSessionRequest$1 {
2867
+ description?: string | null;
2868
+ metadata?: object | null;
2869
+ name?: string | null;
2870
+ }
2837
2871
  /** Request to create a curried function */
2838
2872
  interface CreateCurriedFunctionRequest$1 {
2839
2873
  /** @min 0 */
@@ -3036,7 +3070,7 @@ interface CreateSpaceRequest$1 {
3036
3070
  /** Choice points to create */
3037
3071
  choice_points: ChoicePointDto$1[];
3038
3072
  /** Initial constraints (for testing/simple cases) */
3039
- constraints: ConstraintDto$1[];
3073
+ constraints: SpaceConstraintDto$1[];
3040
3074
  /** Description of the computation */
3041
3075
  description?: string | null;
3042
3076
  }
@@ -5441,6 +5475,42 @@ interface FeatureConfigDto$1 {
5441
5475
  /** Feature name for source IDs (default: "source_activity_id") */
5442
5476
  source_feature?: string;
5443
5477
  }
5478
+ /** Feature constraint for FeatureSetConstraint */
5479
+ type FeatureConstraintDto = {
5480
+ type: "integer_equals";
5481
+ /** @format int64 */
5482
+ value: number;
5483
+ } | {
5484
+ type: "integer_min";
5485
+ /** @format int64 */
5486
+ value: number;
5487
+ } | {
5488
+ type: "integer_max";
5489
+ /** @format int64 */
5490
+ value: number;
5491
+ } | {
5492
+ /** @format int64 */
5493
+ max: number;
5494
+ /** @format int64 */
5495
+ min: number;
5496
+ type: "integer_range";
5497
+ } | {
5498
+ type: "string_equals";
5499
+ value: string;
5500
+ } | {
5501
+ type: "string_one_of";
5502
+ values: string[];
5503
+ } | {
5504
+ allow_subsorts: boolean;
5505
+ sort: string;
5506
+ type: "sort_constraint";
5507
+ } | {
5508
+ term_id: string;
5509
+ type: "set_contains";
5510
+ } | {
5511
+ term_id: string;
5512
+ type: "set_not_contains";
5513
+ };
5444
5514
  /** API representation of a feature descriptor */
5445
5515
  interface FeatureDescriptorDto$1 {
5446
5516
  /** Optional constraint on the feature value */
@@ -13019,6 +13089,190 @@ interface SourceSummaryDto$1 {
13019
13089
  /** Source type */
13020
13090
  source_type: string;
13021
13091
  }
13092
+ /**
13093
+ * A constraint in the space
13094
+ *
13095
+ * Renamed from `ConstraintDto` to avoid utoipa schema collision with the
13096
+ * sort-level `ConstraintDto` (Integer/String/Boolean feature constraints).
13097
+ */
13098
+ type SpaceConstraintDto$1 = {
13099
+ term1_id: string;
13100
+ term2_id: string;
13101
+ type: "unification";
13102
+ } | {
13103
+ expression: string;
13104
+ type: "arithmetic";
13105
+ } | {
13106
+ type: "all_different";
13107
+ variables: string[];
13108
+ } | {
13109
+ assignment: string;
13110
+ /** @format int64 */
13111
+ id: number;
13112
+ type: "feature_assign";
13113
+ variable: string;
13114
+ } | {
13115
+ /** @format int64 */
13116
+ total: number;
13117
+ type: "sum_less_equal";
13118
+ variables: string[];
13119
+ } | {
13120
+ /** @format int64 */
13121
+ total: number;
13122
+ type: "sum_greater_equal";
13123
+ variables: string[];
13124
+ } | {
13125
+ index: string;
13126
+ result: string;
13127
+ table: number[];
13128
+ type: "element";
13129
+ } | {
13130
+ index: string;
13131
+ result: string;
13132
+ type: "element_var_array";
13133
+ vars: string[];
13134
+ } | {
13135
+ a: string;
13136
+ b: string;
13137
+ bool: string;
13138
+ type: "reified_equal";
13139
+ } | {
13140
+ a: string;
13141
+ b: string;
13142
+ bool: string;
13143
+ type: "reified_less_equal";
13144
+ } | {
13145
+ /** @format int64 */
13146
+ total: number;
13147
+ type: "sum_equal";
13148
+ variables: string[];
13149
+ } | {
13150
+ lower: number[];
13151
+ type: "set_domain";
13152
+ upper: number[];
13153
+ variable: string;
13154
+ } | {
13155
+ /** @min 0 */
13156
+ cardinality: number;
13157
+ type: "set_cardinality_equal";
13158
+ variable: string;
13159
+ } | {
13160
+ /** @min 0 */
13161
+ min: number;
13162
+ type: "set_cardinality_min";
13163
+ variable: string;
13164
+ } | {
13165
+ /** @min 0 */
13166
+ max: number;
13167
+ type: "set_cardinality_max";
13168
+ variable: string;
13169
+ } | {
13170
+ /** @format int64 */
13171
+ element: number;
13172
+ set: string;
13173
+ type: "set_member";
13174
+ } | {
13175
+ /** @format int64 */
13176
+ element: number;
13177
+ set: string;
13178
+ type: "set_not_member";
13179
+ } | {
13180
+ a: string;
13181
+ b: string;
13182
+ type: "set_subset";
13183
+ } | {
13184
+ a: string;
13185
+ b: string;
13186
+ type: "set_disjoint";
13187
+ } | {
13188
+ a: string;
13189
+ b: string;
13190
+ result: string;
13191
+ type: "set_union";
13192
+ } | {
13193
+ a: string;
13194
+ b: string;
13195
+ result: string;
13196
+ type: "set_intersection";
13197
+ } | {
13198
+ a: string;
13199
+ b: string;
13200
+ result: string;
13201
+ type: "set_difference";
13202
+ } | {
13203
+ /** Whether to allow subsorts of element_sort (default: true) */
13204
+ allow_subsorts?: boolean;
13205
+ /** Optional sort constraint: all elements must be of this sort */
13206
+ element_sort?: string | null;
13207
+ /** Term IDs that MUST be in the set (as UUID strings) */
13208
+ lower: string[];
13209
+ type: "osf_set_domain";
13210
+ /** Term IDs that MAY be in the set (as UUID strings) */
13211
+ upper: string[];
13212
+ variable: string;
13213
+ } | {
13214
+ /** The constraint type and value */
13215
+ constraint: FeatureConstraintDto;
13216
+ /** The feature name to check on each term */
13217
+ feature_name: string;
13218
+ /** The set variable to constrain */
13219
+ set_var: string;
13220
+ type: "feature_set_constraint";
13221
+ } | {
13222
+ /** The feature name that holds the set */
13223
+ feature_name: string;
13224
+ /** The FS variable to link to */
13225
+ set_var: string;
13226
+ /** The term whose feature is set-valued (UUID string) */
13227
+ term_id: string;
13228
+ type: "set_feature_link";
13229
+ } | {
13230
+ /** @min 0 */
13231
+ cardinality: number;
13232
+ type: "osf_set_cardinality_equal";
13233
+ variable: string;
13234
+ } | {
13235
+ /** @min 0 */
13236
+ min: number;
13237
+ type: "osf_set_cardinality_min";
13238
+ variable: string;
13239
+ } | {
13240
+ /** @min 0 */
13241
+ max: number;
13242
+ type: "osf_set_cardinality_max";
13243
+ variable: string;
13244
+ } | {
13245
+ set: string;
13246
+ term: string;
13247
+ type: "osf_set_member";
13248
+ } | {
13249
+ set: string;
13250
+ term: string;
13251
+ type: "osf_set_not_member";
13252
+ } | {
13253
+ a: string;
13254
+ b: string;
13255
+ type: "osf_set_subset";
13256
+ } | {
13257
+ a: string;
13258
+ b: string;
13259
+ type: "osf_set_disjoint";
13260
+ } | {
13261
+ a: string;
13262
+ b: string;
13263
+ result: string;
13264
+ type: "osf_set_union";
13265
+ } | {
13266
+ a: string;
13267
+ b: string;
13268
+ result: string;
13269
+ type: "osf_set_intersection";
13270
+ } | {
13271
+ a: string;
13272
+ b: string;
13273
+ result: string;
13274
+ type: "osf_set_difference";
13275
+ };
13022
13276
  /** Response when creating or querying a space */
13023
13277
  interface SpaceResponse$1 {
13024
13278
  /**
@@ -20598,7 +20852,7 @@ declare class FuzzyClient {
20598
20852
  * @param request - Search request with query term and K.
20599
20853
  * @returns Top-K results sorted by similarity degree.
20600
20854
  */
20601
- searchTopK(request: FuzzySearchTopKRequest): Promise<FuzzySearchTopKResponse>;
20855
+ searchTopK(request: FuzzySearchTopKRequest): Promise<SimilaritySearchResponse>;
20602
20856
  /**
20603
20857
  * Predict the effect for a query point.
20604
20858
  *
@@ -20650,7 +20904,7 @@ declare class Constraints<SecurityDataType = unknown> {
20650
20904
  * @request POST:/api/v1/constraint-sessions
20651
20905
  * @secure
20652
20906
  */
20653
- createSession: (data: CreateSessionRequest, params?: RequestParams) => Promise<HttpResponse<CreateSessionResponse, void>>;
20907
+ createSession: (data: CreateConstraintSessionRequest$1, params?: RequestParams) => Promise<HttpResponse<CreateSessionResponse, void>>;
20654
20908
  /**
20655
20909
  * No description
20656
20910
  *
@@ -20670,7 +20924,7 @@ declare class Constraints<SecurityDataType = unknown> {
20670
20924
  * @request GET:/api/v1/constraint-sessions/{session_id}
20671
20925
  * @secure
20672
20926
  */
20673
- getSessionStatus: (sessionId: string, params?: RequestParams) => Promise<HttpResponse<SessionStatusResponse, void>>;
20927
+ getSessionStatus: (sessionId: string, params?: RequestParams) => Promise<HttpResponse<ConstraintSessionStatusResponse, void>>;
20674
20928
  /**
20675
20929
  * No description
20676
20930
  *
@@ -20680,7 +20934,7 @@ declare class Constraints<SecurityDataType = unknown> {
20680
20934
  * @request GET:/api/v1/constraint-sessions
20681
20935
  * @secure
20682
20936
  */
20683
- listSessions: (params?: RequestParams) => Promise<HttpResponse<SessionStatusResponse[], void>>;
20937
+ listSessions: (params?: RequestParams) => Promise<HttpResponse<ConstraintSessionStatusResponse[], void>>;
20684
20938
  /**
20685
20939
  * @description For problems where you have all constraints upfront and want immediate results. Uses IncrementalConstraintStore internally with automatic cleanup. Process: 1. Creates temporary constraint store 2. Binds initial variables (if provided) 3. Adds all constraints 4. Solves via automatic propagation 5. Returns solution (store auto-cleans) For incremental solving where constraints arrive over time: Use POST /api/v1/constraint-sessions and related endpoints.
20686
20940
  *
@@ -20693,288 +20947,6 @@ declare class Constraints<SecurityDataType = unknown> {
20693
20947
  solveConstraints: (data: SolveConstraintRequest$1, params?: RequestParams) => Promise<HttpResponse<SolveConstraintResponse$1, void>>;
20694
20948
  }
20695
20949
 
20696
- /** A single step in the agent's execution trajectory. */
20697
- interface TrajectoryStepDto {
20698
- /** Action/tool name executed. */
20699
- action: string;
20700
- /** Agent identifier for multi-agent systems (CrewAI, AutoGen, OpenAI Agents SDK). */
20701
- agent_id?: string | null;
20702
- /** Human-readable agent name for multi-agent systems. */
20703
- agent_name?: string | null;
20704
- /** Error message if the tool call failed. */
20705
- error?: string | null;
20706
- /** Actual content returned by file-reading tools. */
20707
- file_content?: string | null;
20708
- /** Tool input parameters (JSON). */
20709
- input?: unknown;
20710
- /** Tool output/result (JSON). */
20711
- output?: unknown;
20712
- /** Whether the tool call succeeded. */
20713
- success?: boolean | null;
20714
- /** ISO 8601 timestamp of the step. */
20715
- timestamp?: string | null;
20716
- /** Specific tool identifier (if different from action). */
20717
- tool_used?: string | null;
20718
- }
20719
- /** Configuration overrides for the judge pipeline. */
20720
- interface JudgeConfigDto {
20721
- /** Minimum safety score (0.0-1.0, default: 0.8). */
20722
- min_safety_score?: number;
20723
- /** T-norm strategy: "min", "product", or "lukasiewicz". */
20724
- tnorm_strategy?: string;
20725
- /** Enable faithfulness/deception detection. */
20726
- enable_faithfulness?: boolean;
20727
- /** Generate cryptographic certificate for safe verdicts. */
20728
- enable_certificate?: boolean;
20729
- /** Maximum refinement rounds (0 = single pass). */
20730
- max_refinement_rounds?: number;
20731
- }
20732
- /** Request to run the FormalJudge oversight pipeline. */
20733
- interface FormalJudgeRequest {
20734
- /** User instruction (what the agent was asked to do). */
20735
- user_intent: string;
20736
- /** Agent execution trajectory (ordered list of tool calls + results). */
20737
- trajectory: TrajectoryStepDto[];
20738
- /** Agent's final output/answer. */
20739
- final_output?: string;
20740
- /** Raw execution log (for full provenance). */
20741
- execution_log?: string;
20742
- /** Optional pipeline configuration overrides. */
20743
- config?: JudgeConfigDto | null;
20744
- }
20745
- /** Per-layer verification result. */
20746
- interface LayerResultDto {
20747
- /** Layer name (e.g., "L0_format", "L6_resource"). */
20748
- layer: string;
20749
- /** Layer satisfaction score (0.0-1.0). */
20750
- score: number;
20751
- /** Number of facts checked in this layer. */
20752
- facts_checked: number;
20753
- /** Number of facts that passed. */
20754
- facts_satisfied: number;
20755
- /** Number of facts that failed. */
20756
- facts_violated: number;
20757
- /** Number of facts pending (residuated). */
20758
- facts_residuated: number;
20759
- /** Human-readable descriptions of each violation in this layer. */
20760
- violation_descriptions?: string[];
20761
- /** Term IDs of residuated (pending) facts. */
20762
- residuated_fact_ids?: string[];
20763
- }
20764
- /** A specific constraint violation. */
20765
- interface ViolationDto {
20766
- /** Description of the violation. */
20767
- description: string;
20768
- /** Related fact ID (if applicable). */
20769
- related_fact_id?: string | null;
20770
- /** Severity: "error" or "warning". */
20771
- severity: string;
20772
- }
20773
- /** A fix suggestion for a violation. */
20774
- interface FixSuggestionDto {
20775
- /** Confidence in the fix suggestion (0.0-1.0). */
20776
- confidence: number;
20777
- /** Human-readable fix description. */
20778
- description: string;
20779
- /** Type of fix (e.g., "add_fact", "modify_feature", "narrow_sort", "add_rule"). */
20780
- fix_type?: string | null;
20781
- }
20782
- /**
20783
- * A failed proof trace with causal chain.
20784
- *
20785
- * @remarks
20786
- * Contains recursive `parent` field for multi-level causal chains.
20787
- */
20788
- interface ProofTraceDto {
20789
- /** The goal terms that couldn't be proved. */
20790
- goal_term_ids: string[];
20791
- /** The specific term where failure occurred. */
20792
- failure_point?: string;
20793
- /** Why the proof failed (human-readable classification). */
20794
- failure_reason: string;
20795
- /** Detailed reason description. */
20796
- failure_details: string;
20797
- /** Depth at which failure occurred in the proof tree. */
20798
- depth: number;
20799
- /** Suggested fixes from the proof engine. */
20800
- suggestions: FixSuggestionDto[];
20801
- /** Nested parent trace (for multi-level causal chains). */
20802
- parent?: ProofTraceDto;
20803
- }
20804
- /** Individual constraint attestation within a certificate. */
20805
- interface AttestationDto {
20806
- /** Constraint identifier (e.g., layer name). */
20807
- constraint_id: string;
20808
- /** Constraint type (e.g., "temporal", "resource", "tool_contract"). */
20809
- constraint_type: string;
20810
- /** Whether the constraint is satisfied. */
20811
- satisfied: boolean;
20812
- /** Human-readable verification description. */
20813
- verification_details: string;
20814
- /** Hash of the constraint definition. */
20815
- constraint_hash: string;
20816
- }
20817
- /** Full validity certificate with per-layer cryptographic attestations. */
20818
- interface CertificateDto {
20819
- /** Certificate ID. */
20820
- id: string;
20821
- /** Merkle root hash for quick verification. */
20822
- proof_root?: string | null;
20823
- /** When the certificate was issued (unix ms). */
20824
- issued_at: number;
20825
- /** Problem name. */
20826
- problem_name: string;
20827
- /** Number of constraints verified. */
20828
- constraints_verified: number;
20829
- /** Whether all constraints are satisfied. */
20830
- all_satisfied: boolean;
20831
- /** Number of inference steps in the proof. */
20832
- inference_steps: number;
20833
- /** Solving time in milliseconds. */
20834
- solve_time_ms?: number | null;
20835
- /** Per-layer constraint attestations. */
20836
- attestations: AttestationDto[];
20837
- }
20838
- /** Statistics about how facts were extracted. */
20839
- interface ExtractionStatsDto {
20840
- /** Facts extracted deterministically (no LLM). */
20841
- deterministic_facts: number;
20842
- /** Facts extracted via LLM (semantic). */
20843
- semantic_facts: number;
20844
- /** Total number of LLM calls made. */
20845
- total_llm_calls: number;
20846
- }
20847
- /** Per-agent sub-verdict within a multi-agent trajectory. */
20848
- interface AgentSubVerdictDto {
20849
- /** Agent identifier. */
20850
- agent_id: string;
20851
- /** Agent's verdict. */
20852
- verdict: string;
20853
- /** Agent's score. */
20854
- score: number;
20855
- }
20856
- /** Response from the FormalJudge oversight pipeline. */
20857
- interface FormalJudgeResponse {
20858
- /** Per-agent sub-verdicts for multi-agent trajectories. */
20859
- agent_sub_verdicts?: AgentSubVerdictDto[];
20860
- /** Full validity certificate with per-layer attestations (if safe and enabled). */
20861
- certificate?: null | CertificateDto;
20862
- /** Merkle root hash of the validity certificate (if safe). */
20863
- certificate_hash?: string | null;
20864
- /** Deception fact map: all 25 atomic deception facts with boolean answers. */
20865
- deception_fact_map?: object | null;
20866
- /** Deception predicates that triggered. */
20867
- detected_deception_predicates?: string[];
20868
- /** Processing time in milliseconds. */
20869
- elapsed_ms: number;
20870
- /** Extraction statistics (deterministic vs. semantic). */
20871
- extraction_stats: ExtractionStatsDto;
20872
- /** Number of fabricated facts detected. */
20873
- fabrications_detected: number;
20874
- /** Faithfulness/deception detection score (if enabled). */
20875
- faithfulness_score?: number | null;
20876
- /** Actionable fix suggestions for violations. */
20877
- fix_suggestions: FixSuggestionDto[];
20878
- /** Whether the master deception predicate triggered. */
20879
- is_deceptive?: boolean | null;
20880
- /** Per-layer verification results. */
20881
- layer_results: LayerResultDto[];
20882
- /** Overall aggregated score (T-norm of layer scores, 0.0-1.0). */
20883
- overall_score: number;
20884
- /** Failed proof traces with causal chains for violated constraints. */
20885
- proof_traces?: ProofTraceDto[];
20886
- /** Overall verdict: "safe", "unsafe", "partial", or "residuated". */
20887
- verdict: string;
20888
- /** Specific constraint violations (if any). */
20889
- violations: ViolationDto[];
20890
- }
20891
- /** Response from the iterative refinement pipeline. */
20892
- interface FormalJudgeRefinementResponse {
20893
- /** Results from each refinement round. */
20894
- rounds: FormalJudgeResponse[];
20895
- /** Total number of refinement rounds executed. */
20896
- total_rounds: number;
20897
- /** Whether the final verdict converged to safe. */
20898
- converged: boolean;
20899
- /** Total processing time across all rounds (ms). */
20900
- total_elapsed_ms: number;
20901
- }
20902
- /** Request to create a live oversight session. */
20903
- interface CreateOversightSessionRequest {
20904
- /** Optional pipeline configuration overrides. */
20905
- config?: JudgeConfigDto | null;
20906
- /** Optional initial trajectory steps (if some steps already executed). */
20907
- initial_steps?: TrajectoryStepDto[];
20908
- /** User instruction (what the agent is being asked to do). */
20909
- user_intent: string;
20910
- }
20911
- /** Response from creating a live oversight session. */
20912
- interface CreateOversightSessionResponse {
20913
- /** Unix timestamp (ms) when session was created. */
20914
- created_at: number;
20915
- /** Unique session identifier. */
20916
- session_id: string;
20917
- /** Session status (should be "active"). */
20918
- status: string;
20919
- }
20920
- /** Request to finalize a live oversight session. */
20921
- interface FinalizeOversightSessionRequest {
20922
- /** Optional execution log (for full provenance). */
20923
- execution_log?: string | null;
20924
- /** Optional final output from the agent (for faithfulness check). */
20925
- final_output?: string | null;
20926
- }
20927
- /** Request to ingest a single trajectory step. */
20928
- interface IngestStepRequest {
20929
- /** The trajectory step to ingest. */
20930
- step: TrajectoryStepDto;
20931
- }
20932
- /** An alert generated during live oversight. */
20933
- interface OversightAlertDto {
20934
- /** Agent ID responsible (for multi-agent systems). */
20935
- agent_id?: string | null;
20936
- /** Verification layer that triggered the alert. */
20937
- layer: string;
20938
- /** Human-readable alert message. */
20939
- message: string;
20940
- /** Alert severity: "info", "warning", or "critical". */
20941
- severity: string;
20942
- /** Index of the trajectory step that triggered the alert. */
20943
- step_index: number;
20944
- }
20945
- /** Response from getting session status. */
20946
- interface OversightSessionStatusResponse {
20947
- /** All alerts accumulated during the session. */
20948
- alerts?: OversightAlertDto[];
20949
- /** Unix timestamp (ms) when session was created. */
20950
- created_at: number;
20951
- /** Current running score (if any steps verified). */
20952
- current_score?: number | null;
20953
- /** Current running verdict (if any steps verified). */
20954
- current_verdict?: string | null;
20955
- /** Unique session identifier. */
20956
- session_id: string;
20957
- /** Session status: "active", "finalizing", "completed", "cancelled". */
20958
- status: string;
20959
- /** Number of steps ingested. */
20960
- step_count: number;
20961
- /** Unix timestamp (ms) of last update. */
20962
- updated_at: number;
20963
- }
20964
- /** Response from ingesting a trajectory step. */
20965
- interface StepVerificationResponse {
20966
- /** Alerts triggered by this step. */
20967
- alerts?: OversightAlertDto[];
20968
- /** Incremental overall score (0.0-1.0). */
20969
- incremental_score: number;
20970
- /** Incremental verdict after this step: "safe", "unsafe", "partial", or "residuated". */
20971
- incremental_verdict: string;
20972
- /** Index of the ingested step. */
20973
- step_index: number;
20974
- /** Total steps ingested so far. */
20975
- total_steps: number;
20976
- }
20977
-
20978
20950
  /**
20979
20951
  * Layout algorithm hint for graph rendering.
20980
20952
  *
@@ -21589,16 +21561,16 @@ type GeneralConstraintDto = ({
21589
21561
  * Request to create a constraint session.
21590
21562
  *
21591
21563
  * @remarks
21592
- * Matches the generated `CreateSessionRequest` type used by the constraint sessions endpoint.
21593
- * The backend shares the same request shape for both oversight and constraint sessions.
21564
+ * Matches the generated `CreateConstraintSessionRequest` type. Previously collided
21565
+ * with the oversight `CreateSessionRequest` (which has `user_intent`). Now distinct.
21594
21566
  */
21595
21567
  interface CreateConstraintSessionRequest {
21596
- /** Optional pipeline configuration overrides. */
21597
- config?: JudgeConfigDto | null;
21598
- /** Optional initial trajectory steps (if some steps already executed). */
21599
- initial_steps?: TrajectoryStepDto[];
21600
- /** User instruction (what the agent is being asked to do). */
21601
- user_intent: string;
21568
+ /** Optional session name. */
21569
+ name?: string | null;
21570
+ /** Optional session description. */
21571
+ description?: string | null;
21572
+ /** Optional metadata key-value pairs. */
21573
+ metadata?: Record<string, string> | null;
21602
21574
  }
21603
21575
  /**
21604
21576
  * Response from creating a constraint session.
@@ -21619,26 +21591,29 @@ interface CreateConstraintSessionResponse {
21619
21591
  * Full session status returned by `GET /api/v1/constraint-sessions/{session_id}`.
21620
21592
  *
21621
21593
  * @remarks
21622
- * Matches the generated `SessionStatusResponse` type. The backend shares this type
21623
- * between oversight and constraint sessions.
21594
+ * Matches the generated `ConstraintSessionStatusResponse` type. Previously collided
21595
+ * with the oversight `SessionStatusResponse` (which has `alerts`, `current_score`).
21596
+ * Now distinct with constraint solver fields.
21624
21597
  */
21625
21598
  interface ConstraintSessionStatus {
21626
- /** All alerts accumulated during the session. */
21627
- alerts?: OversightAlertDto[];
21628
- /** Unix timestamp (ms) when session was created. */
21629
- created_at: number;
21630
- /** Current running score (if any steps verified). */
21631
- current_score?: number | null;
21632
- /** Current running verdict (if any steps verified). */
21633
- current_verdict?: string | null;
21634
21599
  /** Unique session identifier. */
21635
21600
  session_id: string;
21636
- /** Session status: "active", "finalizing", "completed", "cancelled". */
21637
- status: string;
21638
- /** Number of steps ingested. */
21639
- step_count: number;
21640
- /** Unix timestamp (ms) of last update. */
21641
- updated_at: number;
21601
+ /** ISO 8601 timestamp when session was created. */
21602
+ created_at: string;
21603
+ /** ISO 8601 timestamp of last access. */
21604
+ last_accessed: string;
21605
+ /** Total number of constraints in the session. */
21606
+ constraint_count: number;
21607
+ /** Number of satisfied constraints. */
21608
+ satisfied_count: number;
21609
+ /** Number of suspended constraints. */
21610
+ suspended_count: number;
21611
+ /** Current variable bindings. */
21612
+ current_bindings: Record<string, number>;
21613
+ /** Whether all constraints are satisfied. */
21614
+ all_satisfied: boolean;
21615
+ /** Session metadata. */
21616
+ metadata: Record<string, string>;
21642
21617
  }
21643
21618
  /** Request to add constraints to a session. */
21644
21619
  interface AddConstraintsRequest {
@@ -27406,6 +27381,14 @@ declare class Spaces<SecurityDataType = unknown> {
27406
27381
  }, params?: RequestParams) => Promise<HttpResponse<SearchResponse, void>>;
27407
27382
  }
27408
27383
 
27384
+ /**
27385
+ * A constraint in a computation space.
27386
+ *
27387
+ * @remarks
27388
+ * Re-exported from generated types. Discriminated union with `type` field.
27389
+ * Supports unification, arithmetic, all_different, set constraints, and OSF set constraints.
27390
+ */
27391
+ type SpaceConstraintDto = SpaceConstraintDto$1;
27409
27392
  /**
27410
27393
  * Status of a computation space.
27411
27394
  *
@@ -27503,7 +27486,7 @@ interface CreateSpaceRequest {
27503
27486
  /** Choice points to create. */
27504
27487
  choice_points: ChoicePointDto[];
27505
27488
  /** Initial constraints (for testing/simple cases). */
27506
- constraints: ConstraintDto[];
27489
+ constraints: SpaceConstraintDto$1[];
27507
27490
  /** Description of the computation. */
27508
27491
  description?: string | null;
27509
27492
  }
@@ -30153,6 +30136,288 @@ declare class Oversight<SecurityDataType = unknown> {
30153
30136
  judgeWithRefinement: (data: FormalJudgeRequest$1, params?: RequestParams) => Promise<HttpResponse<FormalJudgeRefinementResponse$1, void>>;
30154
30137
  }
30155
30138
 
30139
+ /** A single step in the agent's execution trajectory. */
30140
+ interface TrajectoryStepDto {
30141
+ /** Action/tool name executed. */
30142
+ action: string;
30143
+ /** Agent identifier for multi-agent systems (CrewAI, AutoGen, OpenAI Agents SDK). */
30144
+ agent_id?: string | null;
30145
+ /** Human-readable agent name for multi-agent systems. */
30146
+ agent_name?: string | null;
30147
+ /** Error message if the tool call failed. */
30148
+ error?: string | null;
30149
+ /** Actual content returned by file-reading tools. */
30150
+ file_content?: string | null;
30151
+ /** Tool input parameters (JSON). */
30152
+ input?: unknown;
30153
+ /** Tool output/result (JSON). */
30154
+ output?: unknown;
30155
+ /** Whether the tool call succeeded. */
30156
+ success?: boolean | null;
30157
+ /** ISO 8601 timestamp of the step. */
30158
+ timestamp?: string | null;
30159
+ /** Specific tool identifier (if different from action). */
30160
+ tool_used?: string | null;
30161
+ }
30162
+ /** Configuration overrides for the judge pipeline. */
30163
+ interface JudgeConfigDto {
30164
+ /** Minimum safety score (0.0-1.0, default: 0.8). */
30165
+ min_safety_score?: number;
30166
+ /** T-norm strategy: "min", "product", or "lukasiewicz". */
30167
+ tnorm_strategy?: string;
30168
+ /** Enable faithfulness/deception detection. */
30169
+ enable_faithfulness?: boolean;
30170
+ /** Generate cryptographic certificate for safe verdicts. */
30171
+ enable_certificate?: boolean;
30172
+ /** Maximum refinement rounds (0 = single pass). */
30173
+ max_refinement_rounds?: number;
30174
+ }
30175
+ /** Request to run the FormalJudge oversight pipeline. */
30176
+ interface FormalJudgeRequest {
30177
+ /** User instruction (what the agent was asked to do). */
30178
+ user_intent: string;
30179
+ /** Agent execution trajectory (ordered list of tool calls + results). */
30180
+ trajectory: TrajectoryStepDto[];
30181
+ /** Agent's final output/answer. */
30182
+ final_output?: string;
30183
+ /** Raw execution log (for full provenance). */
30184
+ execution_log?: string;
30185
+ /** Optional pipeline configuration overrides. */
30186
+ config?: JudgeConfigDto | null;
30187
+ }
30188
+ /** Per-layer verification result. */
30189
+ interface LayerResultDto {
30190
+ /** Layer name (e.g., "L0_format", "L6_resource"). */
30191
+ layer: string;
30192
+ /** Layer satisfaction score (0.0-1.0). */
30193
+ score: number;
30194
+ /** Number of facts checked in this layer. */
30195
+ facts_checked: number;
30196
+ /** Number of facts that passed. */
30197
+ facts_satisfied: number;
30198
+ /** Number of facts that failed. */
30199
+ facts_violated: number;
30200
+ /** Number of facts pending (residuated). */
30201
+ facts_residuated: number;
30202
+ /** Human-readable descriptions of each violation in this layer. */
30203
+ violation_descriptions?: string[];
30204
+ /** Term IDs of residuated (pending) facts. */
30205
+ residuated_fact_ids?: string[];
30206
+ }
30207
+ /** A specific constraint violation. */
30208
+ interface ViolationDto {
30209
+ /** Description of the violation. */
30210
+ description: string;
30211
+ /** Related fact ID (if applicable). */
30212
+ related_fact_id?: string | null;
30213
+ /** Severity: "error" or "warning". */
30214
+ severity: string;
30215
+ }
30216
+ /** A fix suggestion for a violation. */
30217
+ interface FixSuggestionDto {
30218
+ /** Confidence in the fix suggestion (0.0-1.0). */
30219
+ confidence: number;
30220
+ /** Human-readable fix description. */
30221
+ description: string;
30222
+ /** Type of fix (e.g., "add_fact", "modify_feature", "narrow_sort", "add_rule"). */
30223
+ fix_type?: string | null;
30224
+ }
30225
+ /**
30226
+ * A failed proof trace with causal chain.
30227
+ *
30228
+ * @remarks
30229
+ * Contains recursive `parent` field for multi-level causal chains.
30230
+ */
30231
+ interface ProofTraceDto {
30232
+ /** The goal terms that couldn't be proved. */
30233
+ goal_term_ids: string[];
30234
+ /** The specific term where failure occurred. */
30235
+ failure_point?: string;
30236
+ /** Why the proof failed (human-readable classification). */
30237
+ failure_reason: string;
30238
+ /** Detailed reason description. */
30239
+ failure_details: string;
30240
+ /** Depth at which failure occurred in the proof tree. */
30241
+ depth: number;
30242
+ /** Suggested fixes from the proof engine. */
30243
+ suggestions: FixSuggestionDto[];
30244
+ /** Nested parent trace (for multi-level causal chains). */
30245
+ parent?: ProofTraceDto;
30246
+ }
30247
+ /** Individual constraint attestation within a certificate. */
30248
+ interface AttestationDto {
30249
+ /** Constraint identifier (e.g., layer name). */
30250
+ constraint_id: string;
30251
+ /** Constraint type (e.g., "temporal", "resource", "tool_contract"). */
30252
+ constraint_type: string;
30253
+ /** Whether the constraint is satisfied. */
30254
+ satisfied: boolean;
30255
+ /** Human-readable verification description. */
30256
+ verification_details: string;
30257
+ /** Hash of the constraint definition. */
30258
+ constraint_hash: string;
30259
+ }
30260
+ /** Full validity certificate with per-layer cryptographic attestations. */
30261
+ interface CertificateDto {
30262
+ /** Certificate ID. */
30263
+ id: string;
30264
+ /** Merkle root hash for quick verification. */
30265
+ proof_root?: string | null;
30266
+ /** When the certificate was issued (unix ms). */
30267
+ issued_at: number;
30268
+ /** Problem name. */
30269
+ problem_name: string;
30270
+ /** Number of constraints verified. */
30271
+ constraints_verified: number;
30272
+ /** Whether all constraints are satisfied. */
30273
+ all_satisfied: boolean;
30274
+ /** Number of inference steps in the proof. */
30275
+ inference_steps: number;
30276
+ /** Solving time in milliseconds. */
30277
+ solve_time_ms?: number | null;
30278
+ /** Per-layer constraint attestations. */
30279
+ attestations: AttestationDto[];
30280
+ }
30281
+ /** Statistics about how facts were extracted. */
30282
+ interface ExtractionStatsDto {
30283
+ /** Facts extracted deterministically (no LLM). */
30284
+ deterministic_facts: number;
30285
+ /** Facts extracted via LLM (semantic). */
30286
+ semantic_facts: number;
30287
+ /** Total number of LLM calls made. */
30288
+ total_llm_calls: number;
30289
+ }
30290
+ /** Per-agent sub-verdict within a multi-agent trajectory. */
30291
+ interface AgentSubVerdictDto {
30292
+ /** Agent identifier. */
30293
+ agent_id: string;
30294
+ /** Agent's verdict. */
30295
+ verdict: string;
30296
+ /** Agent's score. */
30297
+ score: number;
30298
+ }
30299
+ /** Response from the FormalJudge oversight pipeline. */
30300
+ interface FormalJudgeResponse {
30301
+ /** Per-agent sub-verdicts for multi-agent trajectories. */
30302
+ agent_sub_verdicts?: AgentSubVerdictDto[];
30303
+ /** Full validity certificate with per-layer attestations (if safe and enabled). */
30304
+ certificate?: null | CertificateDto;
30305
+ /** Merkle root hash of the validity certificate (if safe). */
30306
+ certificate_hash?: string | null;
30307
+ /** Deception fact map: all 25 atomic deception facts with boolean answers. */
30308
+ deception_fact_map?: object | null;
30309
+ /** Deception predicates that triggered. */
30310
+ detected_deception_predicates?: string[];
30311
+ /** Processing time in milliseconds. */
30312
+ elapsed_ms: number;
30313
+ /** Extraction statistics (deterministic vs. semantic). */
30314
+ extraction_stats: ExtractionStatsDto;
30315
+ /** Number of fabricated facts detected. */
30316
+ fabrications_detected: number;
30317
+ /** Faithfulness/deception detection score (if enabled). */
30318
+ faithfulness_score?: number | null;
30319
+ /** Actionable fix suggestions for violations. */
30320
+ fix_suggestions: FixSuggestionDto[];
30321
+ /** Whether the master deception predicate triggered. */
30322
+ is_deceptive?: boolean | null;
30323
+ /** Per-layer verification results. */
30324
+ layer_results: LayerResultDto[];
30325
+ /** Overall aggregated score (T-norm of layer scores, 0.0-1.0). */
30326
+ overall_score: number;
30327
+ /** Failed proof traces with causal chains for violated constraints. */
30328
+ proof_traces?: ProofTraceDto[];
30329
+ /** Overall verdict: "safe", "unsafe", "partial", or "residuated". */
30330
+ verdict: string;
30331
+ /** Specific constraint violations (if any). */
30332
+ violations: ViolationDto[];
30333
+ }
30334
+ /** Response from the iterative refinement pipeline. */
30335
+ interface FormalJudgeRefinementResponse {
30336
+ /** Results from each refinement round. */
30337
+ rounds: FormalJudgeResponse[];
30338
+ /** Total number of refinement rounds executed. */
30339
+ total_rounds: number;
30340
+ /** Whether the final verdict converged to safe. */
30341
+ converged: boolean;
30342
+ /** Total processing time across all rounds (ms). */
30343
+ total_elapsed_ms: number;
30344
+ }
30345
+ /** Request to create a live oversight session. */
30346
+ interface CreateOversightSessionRequest {
30347
+ /** Optional pipeline configuration overrides. */
30348
+ config?: JudgeConfigDto | null;
30349
+ /** Optional initial trajectory steps (if some steps already executed). */
30350
+ initial_steps?: TrajectoryStepDto[];
30351
+ /** User instruction (what the agent is being asked to do). */
30352
+ user_intent: string;
30353
+ }
30354
+ /** Response from creating a live oversight session. */
30355
+ interface CreateOversightSessionResponse {
30356
+ /** Unix timestamp (ms) when session was created. */
30357
+ created_at: number;
30358
+ /** Unique session identifier. */
30359
+ session_id: string;
30360
+ /** Session status (should be "active"). */
30361
+ status: string;
30362
+ }
30363
+ /** Request to finalize a live oversight session. */
30364
+ interface FinalizeOversightSessionRequest {
30365
+ /** Optional execution log (for full provenance). */
30366
+ execution_log?: string | null;
30367
+ /** Optional final output from the agent (for faithfulness check). */
30368
+ final_output?: string | null;
30369
+ }
30370
+ /** Request to ingest a single trajectory step. */
30371
+ interface IngestStepRequest {
30372
+ /** The trajectory step to ingest. */
30373
+ step: TrajectoryStepDto;
30374
+ }
30375
+ /** An alert generated during live oversight. */
30376
+ interface OversightAlertDto {
30377
+ /** Agent ID responsible (for multi-agent systems). */
30378
+ agent_id?: string | null;
30379
+ /** Verification layer that triggered the alert. */
30380
+ layer: string;
30381
+ /** Human-readable alert message. */
30382
+ message: string;
30383
+ /** Alert severity: "info", "warning", or "critical". */
30384
+ severity: string;
30385
+ /** Index of the trajectory step that triggered the alert. */
30386
+ step_index: number;
30387
+ }
30388
+ /** Response from getting session status. */
30389
+ interface OversightSessionStatusResponse {
30390
+ /** All alerts accumulated during the session. */
30391
+ alerts?: OversightAlertDto[];
30392
+ /** Unix timestamp (ms) when session was created. */
30393
+ created_at: number;
30394
+ /** Current running score (if any steps verified). */
30395
+ current_score?: number | null;
30396
+ /** Current running verdict (if any steps verified). */
30397
+ current_verdict?: string | null;
30398
+ /** Unique session identifier. */
30399
+ session_id: string;
30400
+ /** Session status: "active", "finalizing", "completed", "cancelled". */
30401
+ status: string;
30402
+ /** Number of steps ingested. */
30403
+ step_count: number;
30404
+ /** Unix timestamp (ms) of last update. */
30405
+ updated_at: number;
30406
+ }
30407
+ /** Response from ingesting a trajectory step. */
30408
+ interface StepVerificationResponse {
30409
+ /** Alerts triggered by this step. */
30410
+ alerts?: OversightAlertDto[];
30411
+ /** Incremental overall score (0.0-1.0). */
30412
+ incremental_score: number;
30413
+ /** Incremental verdict after this step: "safe", "unsafe", "partial", or "residuated". */
30414
+ incremental_verdict: string;
30415
+ /** Index of the ingested step. */
30416
+ step_index: number;
30417
+ /** Total steps ingested so far. */
30418
+ total_steps: number;
30419
+ }
30420
+
30156
30421
  /**
30157
30422
  * Resource client for FormalJudge oversight operations.
30158
30423
  *
@@ -36483,4 +36748,4 @@ declare function isUuid(s: string): boolean;
36483
36748
  */
36484
36749
  declare function discriminateFeatureValue(value: unknown): FeatureValueDto;
36485
36750
 
36486
- export { type ActionReviewReasonDto, type ActionReviewResponse, type ActionReviewStatusDto, type ActionReviewSummaryDto, type ActivationDto, type AdaptiveModifyRequest, type AdaptiveModifyResponse, type AddBeliefRequest, type AddBeliefResponse, type AddCausalRelationRequest, type AddCausalRelationResponse, type AddCognitiveRuleRequest, type AddCognitiveRuleResponse, type AddConstraintsRequest, type AddConstraintsResponse, type AddExportRequest, type AddFactRequest, type AddFactResponse, type AddGoalRequest, type AddGoalResponse, type AddHtnMethodRequest, type AddHtnMethodResponse, type AddImportRequest, type AddPendingReviewRequest, type AddRuleRequest, type AddRuleResponse, type AddSymbolRequest, type AddSymbolResponse, type AgentBeliefDto, type AgentConfigDto, type AgentEvent, type AgentEventHandlers, type AgentGoalDto, type AgentStateDto, type AgentSubVerdictDto, type AgentSubscription, type AllenRelation, ApiError, type ApiResponse, type AppendResiduationsRequest, type AppendResiduationsResponse, type ApplyCurriedRequest, type ApplyCurriedResponse, type ApproveActionRequest, type ApproveEntityRequest, type ApproveLearnedSimilarityRequest, type ApproveLearnedSimilarityResponse, type ArchitectureInfoDto, type ArithOpDto, type ArithValueDto, type ArithmeticConstraintDto, type ArithmeticExprDto, type ArithmeticRecursionOp, type ArtifactDto, type AscRequest, type AssertRuleRequest, type AssertRuleResponse, type AssignValueDto, type AttentionTargetDto, type AttestationDto, type AugmentationTargetDto, type BacktrackResponse, type BacktrackTermStoreRequest, type BacktrackTermStoreResponse, type BacktrackableAssignRequest, type BacktrackableAssignResponse, type BackwardChainRequest, type BackwardChainResponse, BadRequestError, type BatchCopyRequest, type BatchStringCompareRequest, type BayesianEffectDto, type BayesianPredictRequest, type BayesianPredictResponse, type BeliefDto, type BinaryOperatorDto, type BindTermRequest, type BindTermResponse, type BindVariableRequest, type BindVariableResponse, type BindVariablesRequest, type BindVariablesResponse, type BindingDto, type BindingsResponse, type BitwiseOperationType, type BitwiseRequest, type BooleanValue, type BoundConstraintDto, type BroadcastMessageRequest, type BroadcastMessageResponse, type BuildInfoDto, type BulkActionReviewResponse, type BulkAddFactsRequest, type BulkAddFactsResponse, type BulkAddRulesRequest, type BulkAddRulesResponse, type BulkAddTermsRequest, type BulkAddTermsResponse, type BulkApproveActionsRequest, type BulkApproveRequest, type BulkCreateSortsRequest, type BulkCreateSortsResponse, type BulkFuzzyProveRequest, type BulkFuzzyProveResponse, type BulkMergeRequest, type BulkRejectActionsRequest, type BulkRejectRequest, type BulkSetSimilaritiesRequest, type BulkSetSimilaritiesResponse, type BulkSortDefinition, type BulkSortError, type BySortQueryRequest, type CalibrateRequest, type CalibrationReportDto, type CallOnceRequest, type CallOnceResponse, type CandidateMatchDto, type CausalAncestorRequest, type CausalAncestorResponse, type CausalChainDto, type CausalEdgeDto, type CausalProofTreeDto, type CausalRelationshipDto$1 as CausalRelationshipDto, type CausesRequest, type CausesResponse, type CdlComponentStatus, type CdlStatusResponse, type CdlVerificationDto, type CertificateDto, type CheckDiversityRequest, type CheckDiversityResponse, type ChoicePointDto, type ChoicePointMarkerResponse, type ChoiceSelection, type ChrRequest, type ChunkFailureDto, type ClarificationQuestionDto, type ClassifySafetyRequest, type ClassifySafetyResponse, type CleanupResponse, type CleanupSessionsResponse, type CleanupStaleSessionsParams, type ClearFactsResponse, type ClearTermsResponse, type ClientConfig, type CognitiveGoalDto, type CognitiveTermInput, type CollectionDto, type CommitRequest, type CommunityDetectionConfigDto, type CommunityDetectionStatsDto, type CommunityDto, type CommunityMatchDto, type CommunityReportDto, type CommunityReportSummaryDto, type CommunitySearchModeDto, type CommunitySearchStatsDto, type CommunityStatsDto, type ComponentDto, type ComponentHealthDto, type ComputeGlbResponse, type ComputeLubResponse, type ConceptMatchDto, type CondRequest, type CondResponse, type ConditionalIndependenceRequest, type ConditionalIndependenceResponse, type ConfirmResponse, type ConflictResolution, type ConstraintCheckDto, type ConstraintDto, type ConstraintGraphRequest, type ConstraintGraphResponse, type ConstraintGraphStats, type ConstraintInputDto, type ConstraintOperator, type ConstraintSessionStatus, ConstraintViolationError, type ContainmentVerificationDto, type ControlNafRequest, type CoordinatedResourceSet, type CopyModeDto, type CopyTermRequest, type CorrectEntityRequest, type CorrelationRequest, type CorrelationResponse, type CounterfactualRequest, type CounterfactualResponse, type CounterfactualTraceDto, type CreateAgentRequest, type CreateAgentResponse, type CreateChildNamespaceRequest, type CreateCognitiveSortRequest, type CreateCognitiveSortResponse, type CreateCollectionRequest, type CreateConstraintSessionRequest, type CreateConstraintSessionResponse, type CreateCurriedFunctionRequest, type CreateExecutionSessionRequest, type CreateGoalRequest, type CreateGoalResponse, type CreateModuleRequest, type CreateModuleResponse, type CreateRootNamespaceRequest, type CreateRuleStoreRequest, type CreateScenarioRequest, type CreateScenarioResponse, type CreateSortRequest, type CreateSpaceRequest, type CreateStoreTermRequest, type CreateTermRequest, type CreateTermStoreRequest, type CreateVariableRequest, type CuriosityTargetDto, type CurriedFunctionResponse, type CurryingContextResponse, type CutRequest, type CutResponse, type CycleDto, type CycleOutcomeDto, type CycleOutcomeSummaryDto, type CyclicGaussianShape, type DSeparatedRequest, type DSeparatedResponse, type DataMixingStatsDto, type DataPointDto, type DatasetStatisticsDto, type DecodeGlbResponse, type DeepCopyRequest, type DegreeDistributionDto, type DeleteGoalResponse, type DeletePlanRequest, type DeletePlanResponse, type DependentInfoDto, type DereferenceRequest, type DereferenceResponse, type DerivedInferenceRequest, type DerivedInferenceResponse, type DerivedInferenceResultDto, type DetectCommunitiesRequest, type DetectCommunitiesResponse, type DetectMissingAttributesRequest, type DiagnosticDto, type DiagnosticsResponse, type DifferentiableFcRequest, type DifferentiableFcResponse, type DiscoverCausalRequest, type DiscoverCausalResponse, type DiscoverEffectsRequest, type DiscoverEffectsResponse, type DiscoverSchemaRequest, type DiscoverSchemaResponse, type DiscoveredFeatureDto, type DiscoveredRelationDto, type DiscoveredSortDto, type DiscoveredSourceRelationDto, type DiscoveryConfigDto, type DiscoveryProofNodeDto, type DiscoveryProofStatsDto, type DiscoveryProofTreeDto, type DiscoveryStateDto, type DiscoveryStatusResponse, type DiscoveryStrategy, type DisentailmentRequest, type DisentailmentResponse, type DiversityAnalysisDto, type DocumentBatchItem, type DocumentBatchResultDto, type DocumentMetadataDto, type DocumentParseStatsDto, type DocumentParser, type DocumentSource, type DocumentType, type DriveDeficitDto, type DriveDto, type DynamicAddSortRequest, type DynamicAddSortResponse, type DynamicDiscoveryRequest, type DynamicDiscoveryResponse, type DynamicQueryClauseDto, type DynamicQueryGroupDto, type DynamicQueryRequest, type DynamicQueryResponse, type DynamicQueryResultDto, type E2ETrainingRequest, type E2ETrainingResponse, type EdgeTypeDto, type EffectDto, type EffectPredictionDto, type EmbeddingVerificationResponse, type EnrichedHealthResponse, type EntailmentRequest, type EntailmentResponse, type EntityDto, type EntityVerificationDetailDto, type EpisodeDto, type EpisodeOutcomeDto, type EpisodeStatsResponse, type EquivalenceClassDto, type ErrorResponse, type EvalBuiltinRequest, type EvalBuiltinResponse, type EvalFunctionInfoDto, type EvaluateFunctionRequest, type EvaluateFunctionResponse, type EvaluatePatternRequest, type EvaluatePatternResponse, type EvaluatedValueDto, type EvaluationResult, type EvidenceAssessmentRequest, type EvidenceAssessmentResponse, type EvidenceItemDto, type EvidenceSourceDto, type ExecutionGoalDto, type ExecutionSessionResponse, type ExecutionSessionStatsResponse, type ExecutionValueDto, type ExplorationCompleteResponse, type ExplorationProgress, type ExplorationQuestion, type ExplorationStatusResponse, type ExportJsonlResponse, type ExpressionDto, type ExtendedAgentStateDto, type ExternalActionSummaryDto, type ExtractEntitiesRequest, type ExtractEntitiesResponse, type ExtractImageRequest, type ExtractImageResponse, type ExtractedEntityDto, type ExtractionPredictionDto, type ExtractionStatsDto, type FactConfidenceEntry, type FactoryResetResponse, type FailedReviewDto, type FdDomainStateDto, type FeatureBindingDto, type FeatureConfigDto, type FeatureDescriptorDto, FeatureInput, type FeatureInputConstrainedVariable, type FeatureInputInlineTerm, type FeatureInputInlineTermByName, type FeatureInputTermRef, type FeatureInputValueDto, type FeatureInputVariable, type FeatureMismatchDto, type FeaturePair, type FeatureRequirementDto, type FeatureTargetDto, type FeatureTypeDto, type FeatureValueDto, type FindBySortRequest, type FindPlansRequest, type FindPlansResponse, type FindRulesRequest, type FindRulesResponse, type FindSimilarRequest, type FindallRequest, type FindallResponse, type FixSuggestionDto, type ForallRequest, type ForallResponse, type FormalJudgeRefinementResponse, type FormalJudgeRequest, type FormalJudgeResponse, type FormalVerdictDto, type ForwardChainRequest, type ForwardChainResponse, type FunctionBodyDto, type FunctionClauseDto, type FunctionGuardDto, type FunctionValueDto, type FuzzyConceptLevel, type FuzzyMergeRequest, type FuzzyMergeResponse, type FuzzyNumberValue, type FuzzyProveRequest, type FuzzyProveResponse, type FuzzyScalarValue, type FuzzySearchResultItem, type FuzzySearchTopKRequest, type FuzzySearchTopKResponse, FuzzyShape, type FuzzyShapeDto, type FuzzySubsumptionRequest, type FuzzySubsumptionResponse, type FuzzyUnifyRequest, type FuzzyUnifyResponse, type GESResultDto, type GFlowNetSampleRequest, type GFlowNetSampleResponse, type GFlowNetTrainResponse, type GaussianShape, type GeneralConstraintDto, type GenerateDocumentRequest, type GenerateDocumentResponse, type GenerateNegativesRequest, type GenerateNegativesResponse, type GenerateOntologyRequest, type GenerateOntologyResponse, type GenerateSyntheticDataRequest, type GenerateSyntheticDataResponse, type GenerationPromptRequest, type GenerationPromptResponse, type GenerationProvenanceDto, type GenerationReportDto, type GenerationVerificationDto, type GetAgentDrivesRequest, type GetAgentStateRequest, type GetAgentStateResponse, type GetBindingsRequest, type GetCausalModelResponse, type GetEpisodeStatsRequest, type GetEquivalenceClassesResponse, type GetExtendedAgentStateRequest, type GetExtendedAgentStateResponse, type GetFactsResponse, type GetMembershipsRequest, type GetMembershipsResponse, type GetPreorderDegreeRequest, type GetPreorderDegreeResponse, type GetResiduationsRequest, type GetResiduationsResponse, type GetScenarioResponse, type GetSortSimilarityRequest, type GetSortSimilarityResponse, type GetStoreTermRequest, type GetStoreTermResponse, type GlbLubComputationTrace, type GlbLubOperation, type GlbLubTraceRequest, type GlbLubTraceStep, type GlbRequest, type GlbResponse, type GlobalAssignRequest, type GlobalAssignResponse, type GlobalGetRequest, type GlobalGetResponse, type GlobalIncrementRequest, type GlobalIncrementResponse, type GoalDto, type GoalEvaluationResultDto, type GoalResiduationRequest, type GoalResiduationResponse, type GoalStackEntryDto, type GoalStackResponse, type GoalSummaryDto, type GraphEdgeDto, type GraphMetadataDto, type GraphNodeDto, type GroundTruthEntry, type GroundingStatsDto, type GuardOp, type HomoiconicSubstitutionDto, type HorizonDto, type HtnMethodDto, type HyperedgeDto, type HyperedgeTypeDto, type HypergraphRequest, type HypergraphResponse, type HypergraphStats, type ImageExtractedEntityDto, type ImageExtractedRelationDto, type ImageExtractionStatsDto, type ImageSuggestedSortDto, type ImpasseDto, type Implication, type ImpliesRequest, type ImpliesResponse, type ImportModuleRequest, type ImportModuleResponse, type IncompleteDocumentDto, type InfeasibleResult, type IngestDocumentBatchRequest, type IngestDocumentBatchResponse, type IngestDocumentRequest, type IngestDocumentResponse, type IngestFromSourceRequest, type IngestFromSourceResponse, type IngestMarkdownBatchRequest, type IngestMarkdownRequest, type IngestMarkdownResponse, type IngestRdfRequest, type IngestRdfResponse, type IngestionConfigDto, type IngestionSessionResponse, type IngestionSessionStatusDto, type IngestionStatsDto, type IntegerValue, type IntegratedCycleOutcomeDto, type IntegratedEngineConfigDto, type IntegrationGroupDto, type IntentionDto, type Interceptor, InternalServerError, type InterventionObservationRequest, type InterventionObservationResponse, type InterventionRecommendationDto, type InterventionRequest, type InterventionResponse, type InvokeActionRequest, type InvokeActionResponse, type IterationMetricDto, type JsonValue$1 as JsonValue, type JudgeConfigDto, type KBOptimizationConfig, type KBOptimizationResult, type KBResourceConstraint, type KBVariableSpec, type KbChangeDto, type KbChangeType, LP, type LatticeStats, type LatticeVisualizationRequest, type LatticeVisualizationResponse, type LayerResultDto, type LayerResultSummaryDto, type LayoutAlgorithmDto, type LayoutDirectionDto, type LayoutHintsDto, type LazyEvalRequest, type LazyEvalResponse, type LearnFromCorrectionRequest, type LearnFromCorrectionResponse, type LearnPatternConfigDto, type LearnPatternRequest, type LearnPatternResponse, type LearnSortSimilaritiesRequest, type LearnSortSimilaritiesResponse, type LearnedPatternDto, type LearnedSimilarityDto, type LearnedSimilarityListResponse, type LearnedSimilarityProvenanceDto, type LearnedSimilarityStatusDto, type LinearConstraint, type LinearExpression, type LinearProgramDefinition, type ListActionReviewsResponse, type ListEvalFunctionsRequest, type ListEvalFunctionsResponse, type ListExternalActionsResponse, type ListGoalsResponse, type ListIncompleteDocumentsResponse, type ListIngestionSessionsResponse, type ListPatternsResponse, type ListPendingInvocationsResponse, type ListScenariosResponse, type ListSourcesResponse, type ListSymbolsRequest, type ListSymbolsResponse, type ListTenantsResponse, type ListValue, type LiteralInputDto, type LubRequest, type LubResponse, type MarkChoicePointRequest, type MarkMessagesReadRequest, type MarkMessagesReadResponse, type MarkPendingRequest, type MarkPendingResponse, type MarkRuleStoreRequest, type MarkRuleStoreResponse, type MarkTermStoreRequest, type MarkTermStoreResponse, type MarkdownDocumentDto, type MatchedEntityDto, type MaterializationSummaryDto, type MathFunctionRequest, type MathFunctionType, type MeetPreservationDto, type MembershipDto, type MergeEntityRequest, type MetaSortsResponse, type MissingInfoDto, type ModifyActionRequest, type ModularArithRequest, type ModularOperationType, type MonadicFactDto, type MonadicFixpointRequest, type MonadicFixpointResponse, type MotivationStateDto, type NafProveRequest, type NafProveResponse, type NafResponse, type NamespaceDto, type NamespaceListResponse, type NamespaceResponse, type NegativeExampleDto, NetworkError, type NeuroSymbolicStatusResponse, type NlQueryMode, type NlQueryRequest, type NlQueryResponse, type NlQueryResultItem, type NodeTypeDto, NotFoundError, type NumberFormatDto, type NumberToStringRequest, type NumberValueDto, type ObjectiveFunction, type ObserveMultiRequest, type ObserveMultiResponse, type ObservePairRequest, type ObservePairResponse, type ObserveSingleRequest, type ObserveSingleResponse, type OcrConfigDto, type OntologyClarificationQuestionDto, type OntologyRagRequest, type OntologyRagResponse, type OntologyRagStatsDto, type OptimalResult, type OptimizationDirection, type OptimizationResult, type OsfSearchRequest, type OsfSearchResponse, type OsfSearchStatsDto, type PaginationParams, type ParsedDocumentMetadataDto, type PartialCorrelationRequest, type PartialCorrelationResponse, type PatternDto, type PatternSummaryDto, type PendingActionReviewDto, type PendingInvocationDto, type PendingReviewDto$1 as PendingReviewDto, type PipelineQualityStatsDto, type PlanMatchDto, type PositionalArgumentDto, type PredictEffectRequest, type PredictEffectResponse, type PredictFromDiscoveryRequest, type PredictFromDiscoveryResponse, type PredictPreferencesRequest, type PredictPreferencesResponse, type PredictionErrorDto, type PreferencePrediction, type PrerequisiteInfoDto, type ProofDto, type ProofEngineCreateTermResponse, type ProofNodeDto, type ProofStatisticsDto, type ProofTraceDto, type ProvenanceTagDto, type ProvideFeedbackRequest, type ProvideFeedbackResponse, type PsiTermDto, type PushGoalRequest, type PushGoalResponse, type QueryResultDto, type QueryTerm, RateLimitError, type RateLimitInfo, type RdfFormatDto, type ReExtractRequest, type RealValue, ReasoningLayerClient, ReasoningLayerError, type RecallEpisodesRequest, type RecallEpisodesResponse, type RecalledEpisodeDto, type RecordEpisodeRequest, type RecordEpisodeResponse, type RecordSelectionRequest, type RecordSelectionResponse, type ReferenceValue, type ReferencedTermSummary, type ReflectionQueryRequest, type ReflectionQueryResponse, type RefuteRequest, type RefuteResponse, type RegisterExternalActionRequest, type RegisterExternalActionResponse, type RegisterFunctionRequest, type RegisterFunctionResponse, type RegisterSourceRequest, type RegisterSourceResponse, type RejectActionRequest, type RejectEntityRequest, type RejectLearnedSimilarityRequest, type RejectLearnedSimilarityResponse, type RelOpDto, type RelatedInfoDto, type RelationTypeDto, type RelationalArithRequest, type ReleaseResiduationsRequest, type ReleaseResiduationsResponse, type RequestOptions, type ResidualWitnessDto, type ResiduateGoalRequest, type ResiduateGoalResponse, type ResiduatedEntryDto, type ResiduatedTermDto, type ResiduationDetailDto, type ResiduationDto, type ResiduationGoalDto, type ResiduationKind, type ResiduationRequest, type ResiduationResponse, type ResiduationStateDto, type ResiduationStateFilter, type ResiduationStateRequest, type ResiduationStateResponse, type ResiduationStats, type ResolveSymbolRequest, type ResolveSymbolResponse, type ResourceCoordinationRequest, type ResourceCoordinationResponse, type ResourceSpec, type ResumeDocumentIngestionRequest, type ResumeDocumentIngestionResponse, type ResumptionOptionDto, type RetractRuleRequest, type RetractRuleResponse, type ReviewCandidateMatchDto, type ReviewReason, type RootCauseAnalysisRequest, type RootCauseAnalysisResponse, type RootCauseDto, type RootCauseWithProofResponse, type RowIntegrateRequest, type RowIntegrateResponse, type RowMatchDto, type RowSearchRequest, type RowSearchResponse, type RowSimilarityRequest, type RowSimilarityResponse, type RowTypeDto, type RowUnifyRequest, type RowUnifyResponse, type RuleClauseDto, type RuleConstraintDto, type RuleDto, type RuleStoreResponse, type RuleUtilityDto, type RunCycleRequest, type RunCycleResponse, type RunIntegratedCycleRequest, type RunIntegratedCycleResponse, SDK_VERSION, type SafetyModelInfoDto, type SampledHypothesisDto, type SaveWeightsResponse, type ScenarioSummaryDto, type SearchCommunitiesRequest, type SearchCommunitiesResponse, type SearchStatsDto, type SearchStrategyDto, type SendMessageRequest, type SendMessageResponse, type SetFeatureRequest, type SetFeatureResponse, type SetSortSimilarityRequest, type SetSortSimilarityResponse, type SetValue, type SimilarityEntryDto, type SimilarityMatch, type SimilaritySearchResponse, type SingleCopyRequest, type SoftUnifyRequest, type SoftUnifyResponse, type SolutionDto, type SolveConstraintRequest, type SolveConstraintResponse, type SolveOptions, type SortBoxRequest, type SortBoxResponse, SortBuilder, type SortCalibrationDto, type SortCompareOperator, type SortCompareRequest, type SortCompareResponse, type SortDiscoveryRequest, type SortDiscoveryResponse, type SortDto, type SortInfoDto, type SortListResponse, type SortOriginDto, type SortRecommendation, type SortResponse, type SortSimilarityResponse, type SortStatusDto, type SortSuggestionDto, type SortSummaryDto, type SourceDetailResponse, type SourceSummaryDto, type SpaceResponse, type SpaceSearchRequest, type SpaceSearchResponse, type SpaceSolutionDto, type SpaceStatusDto, type SpecificityDto, type StartExplorationRequest, type StartExplorationResponse, type StartIngestionSessionRequest, type StatisticalSuccessResponse, type StorePlanRequest, type StorePlanResponse, type StringCompareOperator, type StringComparePredicateRequest, type StringCompareRequest, type StringConcatRequest, type StringLengthRequest, type StringOpParams, type StringOpRequest, type StringOperationType, type StringValue, type StructuredIngestionStatsDto, type SubscribeToKbRequest, type SubscribeToKbResponse, type SubstringRequest, type SuspendedQueryDto, type SymbolDto, type SymbolKindDto, type SymbolicResultDto, type SynthesizeRequest, type SynthesizeResponse, type TaggedDerivedFact, type TaggedFactDto, type TaggedFcRequest, type TaggedFcResponse, type TaggedFeatureValueDto, type TaggedForwardChainRequest, type TaggedForwardChainResponse, type TemporalPlanRequest, type TemporalPlanResponse, type TenantInfoDto, type TermBindingDto, type TermDto, TermInput, type TermInputDto, type TermInputInline, type TermInputInlineByName, type TermInputRef, type TermListResponse, type TermPatternDto, type TermResponse, type TermState, type TermStoreSessionResponse, TimeoutError, type TokenUsageDto, type ToolCallInfo, type TraceEventDto, type TrailEntryDto, type TrainFromTracesResponse, type TrainingExample, type TrainingExampleDto, type TrainingTriggerResponse, type TrajectoryStepDto, type TrapezoidalShape, type TriangularShape, type TriggerDependencyRequest, type TriggerDependencyResponse, type UncertainEdgeDto, type UndoRequest, type UndoResponse, type UndoRuleStoreRequest, type UndoRuleStoreResponse, type UnifiableQueryRequest, type UnificationQueryResponse, type UnifyTermsRequest, type UnifyTermsResponse, type UninstantiatedValue, type UpdateCollectionRequest, type UpdateMetadataRequest, type UpdatePlanStatsRequest, type UpdatePlanStatsResponse, type UpdateReviewStatusRequest, type UpdateScenarioRequest, type UpdateScenarioResponse, type UpdateTermRequest, type UpdateVisibilityRequest, type ValidateTermRequest, type ValidatedTermResponse, type ValidatedUnifyRequest, type ValidatedUnifyResponse, ValidationError, Value, type ValueDto, type ValuePatternDto, type VariableBounds, type VerbalizationResultDto, type VerbalizeTermRequest, type VerbalizeTermResponse, type VerificationStepDto, type VerifyFaithfulnessRequest, type VerifyFaithfulnessResponse, type VerifyRoundTripRequest, type VerifyRoundTripResponse, type VerifyScenarioRequest, type VerifyScenarioResponse, type ViolationDto, type VisibilityDto, type VisualizationGraphDto, type WaitingConditionDto, type WaitingConditionType, WebSocketClient, WebSocketConnection, type WebhookCallbackRequest, type WebhookCallbackResponse, type WeightedFactDto, type WitnessInstantiationDto, type WitnessProofDto, allen, discriminateFeatureValue, guard, isUuid, psi };
36751
+ export { type ActionReviewReasonDto, type ActionReviewResponse, type ActionReviewStatusDto, type ActionReviewSummaryDto, type ActivationDto, type AdaptiveModifyRequest, type AdaptiveModifyResponse, type AddBeliefRequest, type AddBeliefResponse, type AddCausalRelationRequest, type AddCausalRelationResponse, type AddCognitiveRuleRequest, type AddCognitiveRuleResponse, type AddConstraintsRequest, type AddConstraintsResponse, type AddExportRequest, type AddFactRequest, type AddFactResponse, type AddGoalRequest, type AddGoalResponse, type AddHtnMethodRequest, type AddHtnMethodResponse, type AddImportRequest, type AddPendingReviewRequest, type AddRuleRequest, type AddRuleResponse, type AddSymbolRequest, type AddSymbolResponse, type AgentBeliefDto, type AgentConfigDto, type AgentEvent, type AgentEventHandlers, type AgentGoalDto, type AgentStateDto, type AgentSubVerdictDto, type AgentSubscription, type AllenRelation, ApiError, type ApiResponse, type AppendResiduationsRequest, type AppendResiduationsResponse, type ApplyCurriedRequest, type ApplyCurriedResponse, type ApproveActionRequest, type ApproveEntityRequest, type ApproveLearnedSimilarityRequest, type ApproveLearnedSimilarityResponse, type ArchitectureInfoDto, type ArithOpDto, type ArithValueDto, type ArithmeticConstraintDto, type ArithmeticExprDto, type ArithmeticRecursionOp, type ArtifactDto, type AscRequest, type AssertRuleRequest, type AssertRuleResponse, type AssignValueDto, type AttentionTargetDto, type AttestationDto, type AugmentationTargetDto, type BacktrackResponse, type BacktrackTermStoreRequest, type BacktrackTermStoreResponse, type BacktrackableAssignRequest, type BacktrackableAssignResponse, type BackwardChainRequest, type BackwardChainResponse, BadRequestError, type BatchCopyRequest, type BatchStringCompareRequest, type BayesianEffectDto, type BayesianPredictRequest, type BayesianPredictResponse, type BeliefDto, type BinaryOperatorDto, type BindTermRequest, type BindTermResponse, type BindVariableRequest, type BindVariableResponse, type BindVariablesRequest, type BindVariablesResponse, type BindingDto, type BindingsResponse, type BitwiseOperationType, type BitwiseRequest, type BooleanValue, type BoundConstraintDto, type BroadcastMessageRequest, type BroadcastMessageResponse, type BuildInfoDto, type BulkActionReviewResponse, type BulkAddFactsRequest, type BulkAddFactsResponse, type BulkAddRulesRequest, type BulkAddRulesResponse, type BulkAddTermsRequest, type BulkAddTermsResponse, type BulkApproveActionsRequest, type BulkApproveRequest, type BulkCreateSortsRequest, type BulkCreateSortsResponse, type BulkFuzzyProveRequest, type BulkFuzzyProveResponse, type BulkMergeRequest, type BulkRejectActionsRequest, type BulkRejectRequest, type BulkSetSimilaritiesRequest, type BulkSetSimilaritiesResponse, type BulkSortDefinition, type BulkSortError, type BySortQueryRequest, type CalibrateRequest, type CalibrationReportDto, type CallOnceRequest, type CallOnceResponse, type CandidateMatchDto, type CausalAncestorRequest, type CausalAncestorResponse, type CausalChainDto, type CausalEdgeDto, type CausalProofTreeDto, type CausalRelationshipDto$1 as CausalRelationshipDto, type CausesRequest, type CausesResponse, type CdlComponentStatus, type CdlStatusResponse, type CdlVerificationDto, type CertificateDto, type CheckDiversityRequest, type CheckDiversityResponse, type ChoicePointDto, type ChoicePointMarkerResponse, type ChoiceSelection, type ChrRequest, type ChunkFailureDto, type ClarificationQuestionDto, type ClassifySafetyRequest, type ClassifySafetyResponse, type CleanupResponse, type CleanupSessionsResponse, type CleanupStaleSessionsParams, type ClearFactsResponse, type ClearTermsResponse, type ClientConfig, type CognitiveGoalDto, type CognitiveTermInput, type CollectionDto, type CommitRequest, type CommunityDetectionConfigDto, type CommunityDetectionStatsDto, type CommunityDto, type CommunityMatchDto, type CommunityReportDto, type CommunityReportSummaryDto, type CommunitySearchModeDto, type CommunitySearchStatsDto, type CommunityStatsDto, type ComponentDto, type ComponentHealthDto, type ComputeGlbResponse, type ComputeLubResponse, type ConceptMatchDto, type CondRequest, type CondResponse, type ConditionalIndependenceRequest, type ConditionalIndependenceResponse, type ConfirmResponse, type ConflictResolution, type ConstraintCheckDto, type ConstraintDto, type ConstraintGraphRequest, type ConstraintGraphResponse, type ConstraintGraphStats, type ConstraintInputDto, type ConstraintOperator, type ConstraintSessionStatus, ConstraintViolationError, type ContainmentVerificationDto, type ControlNafRequest, type CoordinatedResourceSet, type CopyModeDto, type CopyTermRequest, type CorrectEntityRequest, type CorrelationRequest, type CorrelationResponse, type CounterfactualRequest, type CounterfactualResponse, type CounterfactualTraceDto, type CreateAgentRequest, type CreateAgentResponse, type CreateChildNamespaceRequest, type CreateCognitiveSortRequest, type CreateCognitiveSortResponse, type CreateCollectionRequest, type CreateConstraintSessionRequest, type CreateConstraintSessionResponse, type CreateCurriedFunctionRequest, type CreateExecutionSessionRequest, type CreateGoalRequest, type CreateGoalResponse, type CreateModuleRequest, type CreateModuleResponse, type CreateRootNamespaceRequest, type CreateRuleStoreRequest, type CreateScenarioRequest, type CreateScenarioResponse, type CreateSortRequest, type CreateSpaceRequest, type CreateStoreTermRequest, type CreateTermRequest, type CreateTermStoreRequest, type CreateVariableRequest, type CuriosityTargetDto, type CurriedFunctionResponse, type CurryingContextResponse, type CutRequest, type CutResponse, type CycleDto, type CycleOutcomeDto, type CycleOutcomeSummaryDto, type CyclicGaussianShape, type DSeparatedRequest, type DSeparatedResponse, type DataMixingStatsDto, type DataPointDto, type DatasetStatisticsDto, type DecodeGlbResponse, type DeepCopyRequest, type DegreeDistributionDto, type DeleteGoalResponse, type DeletePlanRequest, type DeletePlanResponse, type DependentInfoDto, type DereferenceRequest, type DereferenceResponse, type DerivedInferenceRequest, type DerivedInferenceResponse, type DerivedInferenceResultDto, type DetectCommunitiesRequest, type DetectCommunitiesResponse, type DetectMissingAttributesRequest, type DiagnosticDto, type DiagnosticsResponse, type DifferentiableFcRequest, type DifferentiableFcResponse, type DiscoverCausalRequest, type DiscoverCausalResponse, type DiscoverEffectsRequest, type DiscoverEffectsResponse, type DiscoverSchemaRequest, type DiscoverSchemaResponse, type DiscoveredFeatureDto, type DiscoveredRelationDto, type DiscoveredSortDto, type DiscoveredSourceRelationDto, type DiscoveryConfigDto, type DiscoveryProofNodeDto, type DiscoveryProofStatsDto, type DiscoveryProofTreeDto, type DiscoveryStateDto, type DiscoveryStatusResponse, type DiscoveryStrategy, type DisentailmentRequest, type DisentailmentResponse, type DiversityAnalysisDto, type DocumentBatchItem, type DocumentBatchResultDto, type DocumentMetadataDto, type DocumentParseStatsDto, type DocumentParser, type DocumentSource, type DocumentType, type DriveDeficitDto, type DriveDto, type DynamicAddSortRequest, type DynamicAddSortResponse, type DynamicDiscoveryRequest, type DynamicDiscoveryResponse, type DynamicQueryClauseDto, type DynamicQueryGroupDto, type DynamicQueryRequest, type DynamicQueryResponse, type DynamicQueryResultDto, type E2ETrainingRequest, type E2ETrainingResponse, type EdgeTypeDto, type EffectDto, type EffectPredictionDto, type EmbeddingVerificationResponse, type EnrichedHealthResponse, type EntailmentRequest, type EntailmentResponse, type EntityDto, type EntityVerificationDetailDto, type EpisodeDto, type EpisodeOutcomeDto, type EpisodeStatsResponse, type EquivalenceClassDto, type ErrorResponse, type EvalBuiltinRequest, type EvalBuiltinResponse, type EvalFunctionInfoDto, type EvaluateFunctionRequest, type EvaluateFunctionResponse, type EvaluatePatternRequest, type EvaluatePatternResponse, type EvaluatedValueDto, type EvaluationResult, type EvidenceAssessmentRequest, type EvidenceAssessmentResponse, type EvidenceItemDto, type EvidenceSourceDto, type ExecutionGoalDto, type ExecutionSessionResponse, type ExecutionSessionStatsResponse, type ExecutionValueDto, type ExplorationCompleteResponse, type ExplorationProgress, type ExplorationQuestion, type ExplorationStatusResponse, type ExportJsonlResponse, type ExpressionDto, type ExtendedAgentStateDto, type ExternalActionSummaryDto, type ExtractEntitiesRequest, type ExtractEntitiesResponse, type ExtractImageRequest, type ExtractImageResponse, type ExtractedEntityDto, type ExtractionPredictionDto, type ExtractionStatsDto, type FactConfidenceEntry, type FactoryResetResponse, type FailedReviewDto, type FdDomainStateDto, type FeatureBindingDto, type FeatureConfigDto, type FeatureDescriptorDto, FeatureInput, type FeatureInputConstrainedVariable, type FeatureInputInlineTerm, type FeatureInputInlineTermByName, type FeatureInputTermRef, type FeatureInputValueDto, type FeatureInputVariable, type FeatureMismatchDto, type FeaturePair, type FeatureRequirementDto, type FeatureTargetDto, type FeatureTypeDto, type FeatureValueDto, type FindBySortRequest, type FindPlansRequest, type FindPlansResponse, type FindRulesRequest, type FindRulesResponse, type FindSimilarRequest, type FindallRequest, type FindallResponse, type FixSuggestionDto, type ForallRequest, type ForallResponse, type FormalJudgeRefinementResponse, type FormalJudgeRequest, type FormalJudgeResponse, type FormalVerdictDto, type ForwardChainRequest, type ForwardChainResponse, type FunctionBodyDto, type FunctionClauseDto, type FunctionGuardDto, type FunctionValueDto, type FuzzyConceptLevel, type FuzzyMergeRequest, type FuzzyMergeResponse, type FuzzyNumberValue, type FuzzyProveRequest, type FuzzyProveResponse, type FuzzyScalarValue, type FuzzySearchResultItem, type FuzzySearchTopKRequest, type FuzzySearchTopKResponse, FuzzyShape, type FuzzyShapeDto, type FuzzySubsumptionRequest, type FuzzySubsumptionResponse, type FuzzyUnifyRequest, type FuzzyUnifyResponse, type GESResultDto, type GFlowNetSampleRequest, type GFlowNetSampleResponse, type GFlowNetTrainResponse, type GaussianShape, type GeneralConstraintDto, type GenerateDocumentRequest, type GenerateDocumentResponse, type GenerateNegativesRequest, type GenerateNegativesResponse, type GenerateOntologyRequest, type GenerateOntologyResponse, type GenerateSyntheticDataRequest, type GenerateSyntheticDataResponse, type GenerationPromptRequest, type GenerationPromptResponse, type GenerationProvenanceDto, type GenerationReportDto, type GenerationVerificationDto, type GetAgentDrivesRequest, type GetAgentStateRequest, type GetAgentStateResponse, type GetBindingsRequest, type GetCausalModelResponse, type GetEpisodeStatsRequest, type GetEquivalenceClassesResponse, type GetExtendedAgentStateRequest, type GetExtendedAgentStateResponse, type GetFactsResponse, type GetMembershipsRequest, type GetMembershipsResponse, type GetPreorderDegreeRequest, type GetPreorderDegreeResponse, type GetResiduationsRequest, type GetResiduationsResponse, type GetScenarioResponse, type GetSortSimilarityRequest, type GetSortSimilarityResponse, type GetStoreTermRequest, type GetStoreTermResponse, type GlbLubComputationTrace, type GlbLubOperation, type GlbLubTraceRequest, type GlbLubTraceStep, type GlbRequest, type GlbResponse, type GlobalAssignRequest, type GlobalAssignResponse, type GlobalGetRequest, type GlobalGetResponse, type GlobalIncrementRequest, type GlobalIncrementResponse, type GoalDto, type GoalEvaluationResultDto, type GoalResiduationRequest, type GoalResiduationResponse, type GoalStackEntryDto, type GoalStackResponse, type GoalSummaryDto, type GraphEdgeDto, type GraphMetadataDto, type GraphNodeDto, type GroundTruthEntry, type GroundingStatsDto, type GuardOp, type HomoiconicSubstitutionDto, type HorizonDto, type HtnMethodDto, type HyperedgeDto, type HyperedgeTypeDto, type HypergraphRequest, type HypergraphResponse, type HypergraphStats, type ImageExtractedEntityDto, type ImageExtractedRelationDto, type ImageExtractionStatsDto, type ImageSuggestedSortDto, type ImpasseDto, type Implication, type ImpliesRequest, type ImpliesResponse, type ImportModuleRequest, type ImportModuleResponse, type IncompleteDocumentDto, type InfeasibleResult, type IngestDocumentBatchRequest, type IngestDocumentBatchResponse, type IngestDocumentRequest, type IngestDocumentResponse, type IngestFromSourceRequest, type IngestFromSourceResponse, type IngestMarkdownBatchRequest, type IngestMarkdownRequest, type IngestMarkdownResponse, type IngestRdfRequest, type IngestRdfResponse, type IngestionConfigDto, type IngestionSessionResponse, type IngestionSessionStatusDto, type IngestionStatsDto, type IntegerValue, type IntegratedCycleOutcomeDto, type IntegratedEngineConfigDto, type IntegrationGroupDto, type IntentionDto, type Interceptor, InternalServerError, type InterventionObservationRequest, type InterventionObservationResponse, type InterventionRecommendationDto, type InterventionRequest, type InterventionResponse, type InvokeActionRequest, type InvokeActionResponse, type IterationMetricDto, type JsonValue$1 as JsonValue, type JudgeConfigDto, type KBOptimizationConfig, type KBOptimizationResult, type KBResourceConstraint, type KBVariableSpec, type KbChangeDto, type KbChangeType, LP, type LatticeStats, type LatticeVisualizationRequest, type LatticeVisualizationResponse, type LayerResultDto, type LayerResultSummaryDto, type LayoutAlgorithmDto, type LayoutDirectionDto, type LayoutHintsDto, type LazyEvalRequest, type LazyEvalResponse, type LearnFromCorrectionRequest, type LearnFromCorrectionResponse, type LearnPatternConfigDto, type LearnPatternRequest, type LearnPatternResponse, type LearnSortSimilaritiesRequest, type LearnSortSimilaritiesResponse, type LearnedPatternDto, type LearnedSimilarityDto, type LearnedSimilarityListResponse, type LearnedSimilarityProvenanceDto, type LearnedSimilarityStatusDto, type LinearConstraint, type LinearExpression, type LinearProgramDefinition, type ListActionReviewsResponse, type ListEvalFunctionsRequest, type ListEvalFunctionsResponse, type ListExternalActionsResponse, type ListGoalsResponse, type ListIncompleteDocumentsResponse, type ListIngestionSessionsResponse, type ListPatternsResponse, type ListPendingInvocationsResponse, type ListScenariosResponse, type ListSourcesResponse, type ListSymbolsRequest, type ListSymbolsResponse, type ListTenantsResponse, type ListValue, type LiteralInputDto, type LubRequest, type LubResponse, type MarkChoicePointRequest, type MarkMessagesReadRequest, type MarkMessagesReadResponse, type MarkPendingRequest, type MarkPendingResponse, type MarkRuleStoreRequest, type MarkRuleStoreResponse, type MarkTermStoreRequest, type MarkTermStoreResponse, type MarkdownDocumentDto, type MatchedEntityDto, type MaterializationSummaryDto, type MathFunctionRequest, type MathFunctionType, type MeetPreservationDto, type MembershipDto, type MergeEntityRequest, type MetaSortsResponse, type MissingInfoDto, type ModifyActionRequest, type ModularArithRequest, type ModularOperationType, type MonadicFactDto, type MonadicFixpointRequest, type MonadicFixpointResponse, type MotivationStateDto, type NafProveRequest, type NafProveResponse, type NafResponse, type NamespaceDto, type NamespaceListResponse, type NamespaceResponse, type NegativeExampleDto, NetworkError, type NeuroSymbolicStatusResponse, type NlQueryMode, type NlQueryRequest, type NlQueryResponse, type NlQueryResultItem, type NodeTypeDto, NotFoundError, type NumberFormatDto, type NumberToStringRequest, type NumberValueDto, type ObjectiveFunction, type ObserveMultiRequest, type ObserveMultiResponse, type ObservePairRequest, type ObservePairResponse, type ObserveSingleRequest, type ObserveSingleResponse, type OcrConfigDto, type OntologyClarificationQuestionDto, type OntologyRagRequest, type OntologyRagResponse, type OntologyRagStatsDto, type OptimalResult, type OptimizationDirection, type OptimizationResult, type OsfSearchRequest, type OsfSearchResponse, type OsfSearchStatsDto, type PaginationParams, type ParsedDocumentMetadataDto, type PartialCorrelationRequest, type PartialCorrelationResponse, type PatternDto, type PatternSummaryDto, type PendingActionReviewDto, type PendingInvocationDto, type PendingReviewDto$1 as PendingReviewDto, type PipelineQualityStatsDto, type PlanMatchDto, type PositionalArgumentDto, type PredictEffectRequest, type PredictEffectResponse, type PredictFromDiscoveryRequest, type PredictFromDiscoveryResponse, type PredictPreferencesRequest, type PredictPreferencesResponse, type PredictionErrorDto, type PreferencePrediction, type PrerequisiteInfoDto, type ProofDto, type ProofEngineCreateTermResponse, type ProofNodeDto, type ProofStatisticsDto, type ProofTraceDto, type ProvenanceTagDto, type ProvideFeedbackRequest, type ProvideFeedbackResponse, type PsiTermDto, type PushGoalRequest, type PushGoalResponse, type QueryResultDto, type QueryTerm, RateLimitError, type RateLimitInfo, type RdfFormatDto, type ReExtractRequest, type RealValue, ReasoningLayerClient, ReasoningLayerError, type RecallEpisodesRequest, type RecallEpisodesResponse, type RecalledEpisodeDto, type RecordEpisodeRequest, type RecordEpisodeResponse, type RecordSelectionRequest, type RecordSelectionResponse, type ReferenceValue, type ReferencedTermSummary, type ReflectionQueryRequest, type ReflectionQueryResponse, type RefuteRequest, type RefuteResponse, type RegisterExternalActionRequest, type RegisterExternalActionResponse, type RegisterFunctionRequest, type RegisterFunctionResponse, type RegisterSourceRequest, type RegisterSourceResponse, type RejectActionRequest, type RejectEntityRequest, type RejectLearnedSimilarityRequest, type RejectLearnedSimilarityResponse, type RelOpDto, type RelatedInfoDto, type RelationTypeDto, type RelationalArithRequest, type ReleaseResiduationsRequest, type ReleaseResiduationsResponse, type RequestOptions, type ResidualWitnessDto, type ResiduateGoalRequest, type ResiduateGoalResponse, type ResiduatedEntryDto, type ResiduatedTermDto, type ResiduationDetailDto, type ResiduationDto, type ResiduationGoalDto, type ResiduationKind, type ResiduationRequest, type ResiduationResponse, type ResiduationStateDto, type ResiduationStateFilter, type ResiduationStateRequest, type ResiduationStateResponse, type ResiduationStats, type ResolveSymbolRequest, type ResolveSymbolResponse, type ResourceCoordinationRequest, type ResourceCoordinationResponse, type ResourceSpec, type ResumeDocumentIngestionRequest, type ResumeDocumentIngestionResponse, type ResumptionOptionDto, type RetractRuleRequest, type RetractRuleResponse, type ReviewCandidateMatchDto, type ReviewReason, type RootCauseAnalysisRequest, type RootCauseAnalysisResponse, type RootCauseDto, type RootCauseWithProofResponse, type RowIntegrateRequest, type RowIntegrateResponse, type RowMatchDto, type RowSearchRequest, type RowSearchResponse, type RowSimilarityRequest, type RowSimilarityResponse, type RowTypeDto, type RowUnifyRequest, type RowUnifyResponse, type RuleClauseDto, type RuleConstraintDto, type RuleDto, type RuleStoreResponse, type RuleUtilityDto, type RunCycleRequest, type RunCycleResponse, type RunIntegratedCycleRequest, type RunIntegratedCycleResponse, SDK_VERSION, type SafetyModelInfoDto, type SampledHypothesisDto, type SaveWeightsResponse, type ScenarioSummaryDto, type SearchCommunitiesRequest, type SearchCommunitiesResponse, type SearchStatsDto, type SearchStrategyDto, type SendMessageRequest, type SendMessageResponse, type SetFeatureRequest, type SetFeatureResponse, type SetSortSimilarityRequest, type SetSortSimilarityResponse, type SetValue, type SimilarityEntryDto, type SimilarityMatch, type SimilaritySearchResponse, type SingleCopyRequest, type SoftUnifyRequest, type SoftUnifyResponse, type SolutionDto, type SolveConstraintRequest, type SolveConstraintResponse, type SolveOptions, type SortBoxRequest, type SortBoxResponse, SortBuilder, type SortCalibrationDto, type SortCompareOperator, type SortCompareRequest, type SortCompareResponse, type SortDiscoveryRequest, type SortDiscoveryResponse, type SortDto, type SortInfoDto, type SortListResponse, type SortOriginDto, type SortRecommendation, type SortResponse, type SortSimilarityResponse, type SortStatusDto, type SortSuggestionDto, type SortSummaryDto, type SourceDetailResponse, type SourceSummaryDto, type SpaceConstraintDto, type SpaceResponse, type SpaceSearchRequest, type SpaceSearchResponse, type SpaceSolutionDto, type SpaceStatusDto, type SpecificityDto, type StartExplorationRequest, type StartExplorationResponse, type StartIngestionSessionRequest, type StatisticalSuccessResponse, type StorePlanRequest, type StorePlanResponse, type StringCompareOperator, type StringComparePredicateRequest, type StringCompareRequest, type StringConcatRequest, type StringLengthRequest, type StringOpParams, type StringOpRequest, type StringOperationType, type StringValue, type StructuredIngestionStatsDto, type SubscribeToKbRequest, type SubscribeToKbResponse, type SubstringRequest, type SuspendedQueryDto, type SymbolDto, type SymbolKindDto, type SymbolicResultDto, type SynthesizeRequest, type SynthesizeResponse, type TaggedDerivedFact, type TaggedFactDto, type TaggedFcRequest, type TaggedFcResponse, type TaggedFeatureValueDto, type TaggedForwardChainRequest, type TaggedForwardChainResponse, type TemporalPlanRequest, type TemporalPlanResponse, type TenantInfoDto, type TermBindingDto, type TermDto, TermInput, type TermInputDto, type TermInputInline, type TermInputInlineByName, type TermInputRef, type TermListResponse, type TermPatternDto, type TermResponse, type TermState, type TermStoreSessionResponse, TimeoutError, type TokenUsageDto, type ToolCallInfo, type TraceEventDto, type TrailEntryDto, type TrainFromTracesResponse, type TrainingExample, type TrainingExampleDto, type TrainingTriggerResponse, type TrajectoryStepDto, type TrapezoidalShape, type TriangularShape, type TriggerDependencyRequest, type TriggerDependencyResponse, type UncertainEdgeDto, type UndoRequest, type UndoResponse, type UndoRuleStoreRequest, type UndoRuleStoreResponse, type UnifiableQueryRequest, type UnificationQueryResponse, type UnifyTermsRequest, type UnifyTermsResponse, type UninstantiatedValue, type UpdateCollectionRequest, type UpdateMetadataRequest, type UpdatePlanStatsRequest, type UpdatePlanStatsResponse, type UpdateReviewStatusRequest, type UpdateScenarioRequest, type UpdateScenarioResponse, type UpdateTermRequest, type UpdateVisibilityRequest, type ValidateTermRequest, type ValidatedTermResponse, type ValidatedUnifyRequest, type ValidatedUnifyResponse, ValidationError, Value, type ValueDto, type ValuePatternDto, type VariableBounds, type VerbalizationResultDto, type VerbalizeTermRequest, type VerbalizeTermResponse, type VerificationStepDto, type VerifyFaithfulnessRequest, type VerifyFaithfulnessResponse, type VerifyRoundTripRequest, type VerifyRoundTripResponse, type VerifyScenarioRequest, type VerifyScenarioResponse, type ViolationDto, type VisibilityDto, type VisualizationGraphDto, type WaitingConditionDto, type WaitingConditionType, WebSocketClient, WebSocketConnection, type WebhookCallbackRequest, type WebhookCallbackResponse, type WeightedFactDto, type WitnessInstantiationDto, type WitnessProofDto, allen, discriminateFeatureValue, guard, isUuid, psi };