@kortexya/reasoninglayer 0.2.1 → 0.2.2

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.ts 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.1";
112
+ declare const SDK_VERSION = "0.2.2";
113
113
  /**
114
114
  * Configuration for the Reasoning Layer client.
115
115
  *
@@ -34647,6 +34647,358 @@ declare class RagClient {
34647
34647
  ontologyRag(request: OntologyRagRequest): Promise<OntologyRagResponse>;
34648
34648
  }
34649
34649
 
34650
+ /**
34651
+ * Direction for the optimization objective.
34652
+ */
34653
+ type OptimizationDirection = 'maximize' | 'minimize';
34654
+ /**
34655
+ * Comparison operator for linear constraints.
34656
+ */
34657
+ type ConstraintOperator = '<=' | '>=' | '=';
34658
+ /**
34659
+ * A linear expression as a map from variable names to coefficients.
34660
+ *
34661
+ * @remarks
34662
+ * Variables not present in the map have an implicit coefficient of 0.
34663
+ *
34664
+ * @example
34665
+ * ```typescript
34666
+ * // Represents: 3*chairs + 5*tables
34667
+ * const expr: LinearExpression = { chairs: 3, tables: 5 };
34668
+ * ```
34669
+ */
34670
+ type LinearExpression = Record<string, number>;
34671
+ /**
34672
+ * Bounds for a single decision variable.
34673
+ *
34674
+ * @example
34675
+ * ```typescript
34676
+ * // 0 <= x <= 100
34677
+ * const bounds: VariableBounds = { min: 0, max: 100 };
34678
+ * ```
34679
+ */
34680
+ interface VariableBounds {
34681
+ /** Lower bound (default: unbounded below). */
34682
+ min?: number;
34683
+ /** Upper bound (default: unbounded above). */
34684
+ max?: number;
34685
+ }
34686
+ /**
34687
+ * A single linear constraint: sum(coefficients[i] * variables[i]) op rhs.
34688
+ *
34689
+ * @example
34690
+ * ```typescript
34691
+ * // Represents: 1*chairs + 3*tables <= 12
34692
+ * const constraint: LinearConstraint = {
34693
+ * coefficients: { chairs: 1, tables: 3 },
34694
+ * op: '<=',
34695
+ * rhs: 12,
34696
+ * label: 'wood',
34697
+ * };
34698
+ * ```
34699
+ */
34700
+ interface LinearConstraint {
34701
+ /** Coefficients per variable. Missing variables have coefficient 0. */
34702
+ coefficients: LinearExpression;
34703
+ /** Comparison operator: <=, >=, or =. */
34704
+ op: ConstraintOperator;
34705
+ /** Right-hand side constant. */
34706
+ rhs: number;
34707
+ /** Optional human-readable label for the constraint. */
34708
+ label?: string;
34709
+ }
34710
+ /**
34711
+ * Objective function to optimize.
34712
+ *
34713
+ * @example
34714
+ * ```typescript
34715
+ * // Maximize 3*chairs + 5*tables
34716
+ * const obj: ObjectiveFunction = {
34717
+ * direction: 'maximize',
34718
+ * coefficients: { chairs: 3, tables: 5 },
34719
+ * };
34720
+ * ```
34721
+ */
34722
+ interface ObjectiveFunction {
34723
+ /** Optimization direction. */
34724
+ direction: OptimizationDirection;
34725
+ /** Coefficients per variable in the objective expression. */
34726
+ coefficients: LinearExpression;
34727
+ }
34728
+ /**
34729
+ * Complete linear program definition.
34730
+ *
34731
+ * @example
34732
+ * ```typescript
34733
+ * const problem: LinearProgramDefinition = {
34734
+ * objective: { direction: 'maximize', coefficients: { chairs: 3, tables: 5 } },
34735
+ * constraints: [
34736
+ * { coefficients: { chairs: 1, tables: 3 }, op: '<=', rhs: 12 },
34737
+ * { coefficients: { chairs: 2, tables: 1 }, op: '<=', rhs: 8 },
34738
+ * ],
34739
+ * bounds: { chairs: { min: 0 }, tables: { min: 0 } },
34740
+ * };
34741
+ * ```
34742
+ */
34743
+ interface LinearProgramDefinition {
34744
+ /** Objective function to maximize or minimize. */
34745
+ objective: ObjectiveFunction;
34746
+ /** Linear constraints. */
34747
+ constraints: LinearConstraint[];
34748
+ /** Variable bounds. Variables not listed are unbounded. */
34749
+ bounds?: Record<string, VariableBounds>;
34750
+ }
34751
+ /**
34752
+ * Options for the LP solve operation.
34753
+ */
34754
+ interface SolveOptions {
34755
+ /** Timeout in milliseconds for the backward chaining query (default: 30000). */
34756
+ timeoutMs?: number;
34757
+ /** Maximum proof depth (default: 50). */
34758
+ maxDepth?: number;
34759
+ /**
34760
+ * Whether to clean up the temporary sort and rule after solving (default: true).
34761
+ * Set to false to keep them for debugging.
34762
+ */
34763
+ cleanup?: boolean;
34764
+ }
34765
+ /**
34766
+ * Result of an LP optimization.
34767
+ *
34768
+ * @remarks
34769
+ * Discriminated union on `status`:
34770
+ * - `'optimal'`: a feasible solution was found; `variables` and `objectiveValue` are populated.
34771
+ * - `'infeasible'`: no feasible solution exists.
34772
+ */
34773
+ type OptimizationResult = OptimalResult | InfeasibleResult;
34774
+ /**
34775
+ * A successful optimization result with an optimal solution.
34776
+ */
34777
+ interface OptimalResult {
34778
+ /** The problem was solved to optimality. */
34779
+ status: 'optimal';
34780
+ /** Variable values at the optimum. */
34781
+ variables: Record<string, number>;
34782
+ /** Objective function value at the optimum. */
34783
+ objectiveValue: number;
34784
+ /** Solve time in milliseconds. */
34785
+ solveTimeMs: number;
34786
+ }
34787
+ /**
34788
+ * An infeasible optimization result — no feasible solution exists.
34789
+ */
34790
+ interface InfeasibleResult {
34791
+ /** No feasible solution exists. */
34792
+ status: 'infeasible';
34793
+ /** Solve time in milliseconds. */
34794
+ solveTimeMs: number;
34795
+ }
34796
+ /**
34797
+ * Specification for discovering LP variables from knowledge base terms.
34798
+ */
34799
+ interface KBVariableSpec {
34800
+ /** Sort name whose terms become decision variables. */
34801
+ sort: string;
34802
+ /** Feature name to use as the variable's human-readable name. */
34803
+ nameFeature: string;
34804
+ }
34805
+ /**
34806
+ * A resource constraint specification for KB-driven optimization.
34807
+ *
34808
+ * @remarks
34809
+ * Maps a cost feature on variable terms to a capacity limit.
34810
+ */
34811
+ interface KBResourceConstraint {
34812
+ /** Feature name on variable terms representing cost for this resource. */
34813
+ costFeature: string;
34814
+ /** Comparison operator (default: '<='). */
34815
+ op?: ConstraintOperator;
34816
+ /** Capacity limit (right-hand side of the constraint). */
34817
+ capacity: number;
34818
+ /** Optional label for the constraint. */
34819
+ label?: string;
34820
+ }
34821
+ /**
34822
+ * Configuration for KB-driven LP optimization.
34823
+ *
34824
+ * @remarks
34825
+ * Queries the knowledge base to discover decision variables and their coefficients,
34826
+ * then solves the resulting LP problem automatically.
34827
+ *
34828
+ * @example
34829
+ * ```typescript
34830
+ * const result = await client.optimize.fromKnowledgeBase({
34831
+ * variables: { sort: 'product', nameFeature: 'name' },
34832
+ * objective: { direction: 'maximize', coefficientFeature: 'profit' },
34833
+ * resourceConstraints: [
34834
+ * { costFeature: 'wood_cost', capacity: 12, label: 'wood' },
34835
+ * { costFeature: 'labor_cost', capacity: 8, label: 'labor' },
34836
+ * ],
34837
+ * nonNegative: true,
34838
+ * });
34839
+ * ```
34840
+ */
34841
+ interface KBOptimizationConfig {
34842
+ /** How to discover decision variables from the knowledge base. */
34843
+ variables: KBVariableSpec;
34844
+ /** Objective function configuration. */
34845
+ objective: {
34846
+ /** Optimization direction. */
34847
+ direction: OptimizationDirection;
34848
+ /** Feature name on variable terms containing the objective coefficient. */
34849
+ coefficientFeature: string;
34850
+ };
34851
+ /** Resource constraints derived from variable term features. */
34852
+ resourceConstraints: KBResourceConstraint[];
34853
+ /** Whether all variables must be non-negative (default: false). */
34854
+ nonNegative?: boolean;
34855
+ /** Additional explicit constraints to add beyond those discovered from the KB. */
34856
+ additionalConstraints?: LinearConstraint[];
34857
+ }
34858
+ /**
34859
+ * Result of a KB-driven optimization, including the discovered problem.
34860
+ */
34861
+ interface KBOptimizationResult {
34862
+ /** The optimization result. */
34863
+ result: OptimizationResult;
34864
+ /** The LP problem that was auto-generated from KB data (for inspection/debugging). */
34865
+ generatedProblem: LinearProgramDefinition;
34866
+ /** The terms that were discovered and used as variables. */
34867
+ discoveredTerms: TermDto[];
34868
+ }
34869
+
34870
+ /**
34871
+ * Resource client for linear program optimization.
34872
+ *
34873
+ * @remarks
34874
+ * This is a convenience layer that orchestrates the inference engine's built-in
34875
+ * CLP(Q) simplex solver. Under the hood, it compiles LP problems into homoiconic
34876
+ * rules with arithmetic constraint sorts, submits them via backward chaining,
34877
+ * and extracts the solution.
34878
+ *
34879
+ * The optimization is performed entirely server-side using exact rational arithmetic
34880
+ * (Rational64). Solutions are returned as floating-point approximations.
34881
+ *
34882
+ * @example
34883
+ * ```typescript
34884
+ * import { LP } from '@kortexya/reasoninglayer';
34885
+ *
34886
+ * const result = await client.optimize.solve({
34887
+ * objective: LP.maximize({ chairs: 3, tables: 5 }),
34888
+ * constraints: [
34889
+ * LP.constraint({ chairs: 1, tables: 3 }, '<=', 12),
34890
+ * LP.constraint({ chairs: 2, tables: 1 }, '<=', 8),
34891
+ * ],
34892
+ * bounds: LP.nonNegative('chairs', 'tables'),
34893
+ * });
34894
+ *
34895
+ * if (result.status === 'optimal') {
34896
+ * console.log(result.variables); // { chairs: 2.4, tables: 3.2 }
34897
+ * console.log(result.objectiveValue); // 23.2
34898
+ * }
34899
+ * ```
34900
+ */
34901
+ declare class OptimizeClient {
34902
+ /** @internal */
34903
+ private readonly inferenceApi;
34904
+ /** @internal */
34905
+ private readonly sortsApi;
34906
+ /** @internal */
34907
+ private readonly queryApi;
34908
+ /** @internal */
34909
+ private readonly termsApi;
34910
+ /** @internal */
34911
+ private readonly tenantId;
34912
+ /** @internal */
34913
+ constructor(inferenceApi: Inference, sortsApi: Sorts, queryApi: Query, termsApi: Terms, tenantId: string);
34914
+ /**
34915
+ * Solve a linear program.
34916
+ *
34917
+ * @param problem - The LP problem definition with objective, constraints, and bounds.
34918
+ * @param options - Optional solver configuration (timeout, cleanup, etc.).
34919
+ * @returns The optimization result with variable values and objective value.
34920
+ *
34921
+ * @throws {Error} If the problem has no variables.
34922
+ *
34923
+ * @remarks
34924
+ * Internally creates a temporary sort and inference rule, runs backward chaining
34925
+ * to trigger the CLP(Q) simplex solver, then cleans up temporary artifacts.
34926
+ *
34927
+ * The solver uses exact rational arithmetic (Rational64). Solutions are converted
34928
+ * to JavaScript numbers (f64 approximation) for the response.
34929
+ *
34930
+ * @example
34931
+ * ```typescript
34932
+ * import { LP } from '@kortexya/reasoninglayer';
34933
+ *
34934
+ * const result = await client.optimize.solve({
34935
+ * objective: LP.maximize({ x: 1, y: 2 }),
34936
+ * constraints: [
34937
+ * LP.constraint({ x: 1, y: 1 }, '<=', 10),
34938
+ * ],
34939
+ * bounds: LP.nonNegative('x', 'y'),
34940
+ * });
34941
+ *
34942
+ * if (result.status === 'optimal') {
34943
+ * console.log(result.variables); // { x: 0, y: 10 }
34944
+ * console.log(result.objectiveValue); // 20
34945
+ * }
34946
+ * ```
34947
+ */
34948
+ solve(problem: LinearProgramDefinition, options?: SolveOptions): Promise<OptimizationResult>;
34949
+ /**
34950
+ * Solve an LP problem with variables and coefficients discovered from the knowledge base.
34951
+ *
34952
+ * @param config - Configuration specifying which sorts/features to query and how to
34953
+ * map them to LP variables, objective, and constraints.
34954
+ * @param options - Optional solver configuration.
34955
+ * @returns The optimization result plus the auto-generated LP and discovered terms.
34956
+ *
34957
+ * @throws {Error} If the specified sort is not found.
34958
+ * @throws {Error} If no terms are found for the variable sort.
34959
+ * @throws {Error} If a required feature is missing or non-numeric on a term.
34960
+ *
34961
+ * @remarks
34962
+ * This method queries existing knowledge base data to build the LP automatically:
34963
+ * 1. Resolves the variable sort name to its sort ID
34964
+ * 2. Queries all terms of that sort
34965
+ * 3. Extracts feature values to compute objective coefficients and constraint coefficients
34966
+ * 4. Builds and solves the LP
34967
+ *
34968
+ * @example
34969
+ * ```typescript
34970
+ * // Given products in the KB with features: name, profit, wood_cost, labor_cost
34971
+ * const result = await client.optimize.fromKnowledgeBase({
34972
+ * variables: { sort: 'product', nameFeature: 'name' },
34973
+ * objective: { direction: 'maximize', coefficientFeature: 'profit' },
34974
+ * resourceConstraints: [
34975
+ * { costFeature: 'wood_cost', capacity: 12, label: 'wood' },
34976
+ * { costFeature: 'labor_cost', capacity: 8, label: 'labor' },
34977
+ * ],
34978
+ * nonNegative: true,
34979
+ * });
34980
+ *
34981
+ * if (result.result.status === 'optimal') {
34982
+ * console.log(result.result.variables); // { chair: 2.4, table: 3.2 }
34983
+ * }
34984
+ * console.log(result.generatedProblem); // The auto-generated LP for inspection
34985
+ * ```
34986
+ */
34987
+ fromKnowledgeBase(config: KBOptimizationConfig, options?: SolveOptions): Promise<KBOptimizationResult>;
34988
+ /**
34989
+ * Resolve a sort name to its sort ID by listing the tenant's sorts.
34990
+ *
34991
+ * @internal
34992
+ */
34993
+ private resolveSortName;
34994
+ /**
34995
+ * Clean up temporary sort and rule artifacts (best-effort).
34996
+ *
34997
+ * @internal
34998
+ */
34999
+ private cleanupArtifacts;
35000
+ }
35001
+
34650
35002
  /**
34651
35003
  * Main client for the Reasoning Layer API.
34652
35004
  *
@@ -34751,6 +35103,8 @@ declare class ReasoningLayerClient {
34751
35103
  readonly generation: GenerationClient;
34752
35104
  /** Ontology RAG operations (embedding search + feature unification). */
34753
35105
  readonly rag: RagClient;
35106
+ /** Linear program optimization (CLP(Q) simplex solver via backward chaining). */
35107
+ readonly optimize: OptimizeClient;
34754
35108
  /**
34755
35109
  * Create a new ReasoningLayerClient.
34756
35110
  *
@@ -35762,6 +36116,114 @@ declare function psi(sortName: string, features?: Record<string, unknown>): Term
35762
36116
  */
35763
36117
  declare function allen(relation: AllenRelation, intervalA: string, intervalBTermId: string): ConstraintInputDto;
35764
36118
 
36119
+ /**
36120
+ * Builder namespace for defining Linear Program optimization problems.
36121
+ *
36122
+ * @remarks
36123
+ * Provides sugar functions for constructing {@link LinearProgramDefinition} objects
36124
+ * that can be passed to `client.optimize.solve()`. All functions return plain objects —
36125
+ * the builder is optional convenience, not required.
36126
+ *
36127
+ * **Serialization format**: The LP builder produces types consumed by the SDK's
36128
+ * optimize client, which internally compiles them into untagged `TermInputDto`
36129
+ * structures using CLP(Q) constraint sorts.
36130
+ *
36131
+ * @example
36132
+ * ```typescript
36133
+ * import { LP } from '@kortexya/reasoninglayer';
36134
+ *
36135
+ * const result = await client.optimize.solve({
36136
+ * objective: LP.maximize({ chairs: 3, tables: 5 }),
36137
+ * constraints: [
36138
+ * LP.constraint({ chairs: 1, tables: 3 }, '<=', 12),
36139
+ * LP.constraint({ chairs: 2, tables: 1 }, '<=', 8),
36140
+ * ],
36141
+ * bounds: LP.nonNegative('chairs', 'tables'),
36142
+ * });
36143
+ * ```
36144
+ */
36145
+ declare const LP: {
36146
+ /**
36147
+ * Create a maximization objective.
36148
+ *
36149
+ * @param coefficients - Map of variable names to their objective coefficients.
36150
+ * @returns An objective function to maximize.
36151
+ *
36152
+ * @remarks Serialization format: SDK-internal (compiled to constraint sorts).
36153
+ *
36154
+ * @example
36155
+ * ```typescript
36156
+ * LP.maximize({ chairs: 3, tables: 5 })
36157
+ * // { direction: 'maximize', coefficients: { chairs: 3, tables: 5 } }
36158
+ * ```
36159
+ */
36160
+ readonly maximize: (coefficients: LinearExpression) => ObjectiveFunction;
36161
+ /**
36162
+ * Create a minimization objective.
36163
+ *
36164
+ * @param coefficients - Map of variable names to their objective coefficients.
36165
+ * @returns An objective function to minimize.
36166
+ *
36167
+ * @remarks Serialization format: SDK-internal (compiled to constraint sorts).
36168
+ *
36169
+ * @example
36170
+ * ```typescript
36171
+ * LP.minimize({ cost_a: 2, cost_b: 5 })
36172
+ * // { direction: 'minimize', coefficients: { cost_a: 2, cost_b: 5 } }
36173
+ * ```
36174
+ */
36175
+ readonly minimize: (coefficients: LinearExpression) => ObjectiveFunction;
36176
+ /**
36177
+ * Create a linear constraint.
36178
+ *
36179
+ * @param coefficients - Map of variable names to their constraint coefficients.
36180
+ * @param op - Comparison operator: '<=', '>=', or '='.
36181
+ * @param rhs - Right-hand side constant.
36182
+ * @param label - Optional human-readable label.
36183
+ * @returns A linear constraint.
36184
+ *
36185
+ * @remarks Serialization format: SDK-internal (compiled to constraint sorts).
36186
+ *
36187
+ * @example
36188
+ * ```typescript
36189
+ * LP.constraint({ chairs: 1, tables: 3 }, '<=', 12, 'wood')
36190
+ * // { coefficients: { chairs: 1, tables: 3 }, op: '<=', rhs: 12, label: 'wood' }
36191
+ * ```
36192
+ */
36193
+ readonly constraint: (coefficients: LinearExpression, op: ConstraintOperator, rhs: number, label?: string) => LinearConstraint;
36194
+ /**
36195
+ * Create non-negativity bounds (>= 0) for the given variables.
36196
+ *
36197
+ * @param variables - Variable names to constrain to be non-negative.
36198
+ * @returns A bounds map with `{ min: 0 }` for each variable.
36199
+ *
36200
+ * @remarks Serialization format: SDK-internal (compiled to constraint sorts).
36201
+ *
36202
+ * @example
36203
+ * ```typescript
36204
+ * LP.nonNegative('chairs', 'tables')
36205
+ * // { chairs: { min: 0 }, tables: { min: 0 } }
36206
+ * ```
36207
+ */
36208
+ readonly nonNegative: (...variables: string[]) => Record<string, VariableBounds>;
36209
+ /**
36210
+ * Create bounds for a variable.
36211
+ *
36212
+ * @param min - Lower bound (omit for unbounded below).
36213
+ * @param max - Upper bound (omit for unbounded above).
36214
+ * @returns Variable bounds specification.
36215
+ *
36216
+ * @remarks Serialization format: SDK-internal (compiled to constraint sorts).
36217
+ *
36218
+ * @example
36219
+ * ```typescript
36220
+ * LP.bounds(0, 100)
36221
+ * // { min: 0, max: 100 }
36222
+ * ```
36223
+ */
36224
+ readonly bounds: (min?: number, max?: number) => VariableBounds;
36225
+ };
36226
+
35765
36227
  /**
35766
36228
  * Check if a string matches UUID v4 format.
35767
36229
  *
@@ -35816,4 +36278,4 @@ declare function isUuid(s: string): boolean;
35816
36278
  */
35817
36279
  declare function discriminateFeatureValue(value: unknown): FeatureValueDto;
35818
36280
 
35819
- 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 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 ArtifactDto, type AscRequest, type AssertRuleRequest, type AssertRuleResponse, type AssignValueDto, type AttentionTargetDto, type AttestationDto, type AugmentationTargetDto, type BacktrackResponse, type BacktrackTermStoreRequest, type BacktrackTermStoreResponse, type BacktrackableAssignRequest, 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 BySortQueryRequest, type CalibrateRequest, type CalibrationReportDto, type CallOnceRequest, 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 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 CommunitySearchModeDto, type CommunitySearchStatsDto, type ComponentHealthDto, type ConceptMatchDto, type CondRequest, type ConditionalIndependenceRequest, type ConditionalIndependenceResponse, type ConfirmResponse, type ConflictResolution, type ConstraintCheckDto, type ConstraintDto, type ConstraintGraphRequest, type ConstraintGraphResponse, type ConstraintGraphStats, type ConstraintInputDto, type ConstraintSessionStatus, ConstraintViolationError, type ContainmentVerificationDto, type ControlNafRequest, 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 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 CycleDto, type CycleOutcomeDto, type CycleOutcomeSummaryDto, type CyclicGaussianShape, type DSeparatedRequest, type DSeparatedResponse, type DataMixingStatsDto, type DataPointDto, type DatasetStatisticsDto, type DecodeGlbResponse, type DeepCopyRequest, 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 DiscoveredRelationDto, type DiscoveredSortDto, type DiscoveredSourceRelationDto, type DiscoveryConfigDto, type DiscoveryStateDto, type DiscoveryStatusResponse, type DiversityAnalysisDto, 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 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 EvidenceAssessmentRequest, 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 FeatureTypeDto, type FeatureValueDto, type FindPlansRequest, type FindPlansResponse, type FindRulesRequest, type FindRulesResponse, type FindallRequest, type FixSuggestionDto, type ForallRequest, 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 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 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 GlbRequest, type GlbResponse, type GlobalAssignRequest, type GlobalGetRequest, type GlobalIncrementRequest, type GoalDto, type GoalEvaluationResultDto, type GoalStackEntryDto, type GoalStackResponse, type GoalSummaryDto, type GroundTruthEntry, type GuardOp, type HomoiconicSubstitutionDto, type HorizonDto, type HtnMethodDto, type HypergraphRequest, type HypergraphResponse, type ImageExtractedEntityDto, type ImageExtractedRelationDto, type ImageExtractionStatsDto, type ImageSuggestedSortDto, type ImpasseDto, type Implication, type ImpliesRequest, 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 InterventionRequest, type InterventionResponse, type InvokeActionRequest, type InvokeActionResponse, type IterationMetricDto, type JudgeConfigDto, type KbChangeDto, type KbChangeType, type LatticeVisualizationRequest, type LatticeVisualizationResponse, type LayerResultDto, type LayerResultSummaryDto, type LayoutAlgorithmDto, type LayoutDirectionDto, type LazyEvalRequest, type LazyEvalResponse, type LearnFromCorrectionRequest, type LearnFromCorrectionResponse, type LearnPatternRequest, type LearnPatternResponse, type LearnSortSimilaritiesRequest, type LearnSortSimilaritiesResponse, type LearnedSimilarityDto, type LearnedSimilarityListResponse, type LearnedSimilarityProvenanceDto, type LearnedSimilarityStatusDto, type ListActionReviewsResponse, type ListEvalFunctionsRequest, type ListEvalFunctionsResponse, type ListExternalActionsResponse, type ListGoalsResponse, type ListIncompleteDocumentsResponse, type ListIngestionSessionsResponse, type ListPatternsResponse, type ListPendingInvocationsResponse, type ListScenariosResponse, type ListSourcesResponse, 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 NamespaceDto, type NamespaceListResponse, type NamespaceResponse, type NegativeExampleDto, NetworkError, type NeuroSymbolicStatusResponse, type NlQueryRequest, type NlQueryResponse, NotFoundError, type NumberToStringRequest, type ObserveMultiRequest, type ObserveMultiResponse, type ObservePairRequest, type ObservePairResponse, type ObserveSingleRequest, type ObserveSingleResponse, type OcrConfigDto, type OntologyClarificationQuestionDto, type OntologyRagRequest, type OntologyRagResponse, type OntologyRagStatsDto, type OsfSearchRequest, type OsfSearchResponse, type OsfSearchStatsDto, type PaginationParams, type ParsedDocumentMetadataDto, type PartialCorrelationRequest, type PartialCorrelationResponse, type PatternDto, type PendingActionReviewDto, type PendingInvocationDto, 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 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 ResiduationDetailDto, type ResiduationDto, type ResiduationGoalDto, type ResiduationKind, type ResiduationRequest, type ResiduationResponse, type ResiduationStateFilter, type ResiduationStateRequest, type ResiduationStateResponse, type ResourceCoordinationRequest, 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 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 SoftUnifyRequest, type SoftUnifyResponse, type SolutionDto, type SolveConstraintRequest, type SolveConstraintResponse, type SortBoxRequest, type SortBoxResponse, SortBuilder, type SortCalibrationDto, type SortCompareOperator, type SortCompareRequest, type SortCompareResponse, type SortDiscoveryRequest, type SortDiscoveryResponse, type SortDto, type SortInfoDto, type SortOriginDto, type SortRecommendation, 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 SymbolicResultDto, type SynthesizeRequest, type SynthesizeResponse, type TaggedDerivedFact, type TaggedFactDto, type TaggedFcRequest, type TaggedFcResponse, type TaggedForwardChainRequest, type TaggedForwardChainResponse, type TemporalPlanRequest, type TenantInfoDto, type TermBindingDto, type TermDto, TermInput, type TermInputDto, type TermInputInline, type TermInputInlineByName, type TermInputRef, type TermPatternDto, type TermResponse, type TermState, type TermStoreSessionResponse, TimeoutError, type TrailEntryDto, type TrainFromTracesResponse, type TrainingExample, type TrainingExampleDto, type TrainingTriggerResponse, type TrajectoryStepDto, type TrapezoidalShape, type TriangularShape, type TriggerDependencyRequest, type TriggerDependencyResponse, type UndoRequest, type UndoRuleStoreRequest, type UndoRuleStoreResponse, type UnifiableQueryRequest, 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 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, WebSocketClient, WebSocketConnection, type WebhookCallbackRequest, type WebhookCallbackResponse, type WeightedFactDto, type WitnessInstantiationDto, type WitnessProofDto, allen, discriminateFeatureValue, guard, isUuid, psi };
36281
+ 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 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 ArtifactDto, type AscRequest, type AssertRuleRequest, type AssertRuleResponse, type AssignValueDto, type AttentionTargetDto, type AttestationDto, type AugmentationTargetDto, type BacktrackResponse, type BacktrackTermStoreRequest, type BacktrackTermStoreResponse, type BacktrackableAssignRequest, 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 BySortQueryRequest, type CalibrateRequest, type CalibrationReportDto, type CallOnceRequest, 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 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 CommunitySearchModeDto, type CommunitySearchStatsDto, type ComponentHealthDto, type ConceptMatchDto, type CondRequest, 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 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 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 CycleDto, type CycleOutcomeDto, type CycleOutcomeSummaryDto, type CyclicGaussianShape, type DSeparatedRequest, type DSeparatedResponse, type DataMixingStatsDto, type DataPointDto, type DatasetStatisticsDto, type DecodeGlbResponse, type DeepCopyRequest, 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 DiscoveredRelationDto, type DiscoveredSortDto, type DiscoveredSourceRelationDto, type DiscoveryConfigDto, type DiscoveryStateDto, type DiscoveryStatusResponse, type DiversityAnalysisDto, 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 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 EvidenceAssessmentRequest, 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 FeatureTypeDto, type FeatureValueDto, type FindPlansRequest, type FindPlansResponse, type FindRulesRequest, type FindRulesResponse, type FindallRequest, type FixSuggestionDto, type ForallRequest, 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 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 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 GlbRequest, type GlbResponse, type GlobalAssignRequest, type GlobalGetRequest, type GlobalIncrementRequest, type GoalDto, type GoalEvaluationResultDto, type GoalStackEntryDto, type GoalStackResponse, type GoalSummaryDto, type GroundTruthEntry, type GuardOp, type HomoiconicSubstitutionDto, type HorizonDto, type HtnMethodDto, type HypergraphRequest, type HypergraphResponse, type ImageExtractedEntityDto, type ImageExtractedRelationDto, type ImageExtractionStatsDto, type ImageSuggestedSortDto, type ImpasseDto, type Implication, type ImpliesRequest, 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 InterventionRequest, type InterventionResponse, type InvokeActionRequest, type InvokeActionResponse, type IterationMetricDto, type JudgeConfigDto, type KBOptimizationConfig, type KBOptimizationResult, type KBResourceConstraint, type KBVariableSpec, type KbChangeDto, type KbChangeType, LP, type LatticeVisualizationRequest, type LatticeVisualizationResponse, type LayerResultDto, type LayerResultSummaryDto, type LayoutAlgorithmDto, type LayoutDirectionDto, type LazyEvalRequest, type LazyEvalResponse, type LearnFromCorrectionRequest, type LearnFromCorrectionResponse, type LearnPatternRequest, type LearnPatternResponse, type LearnSortSimilaritiesRequest, type LearnSortSimilaritiesResponse, 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 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 NamespaceDto, type NamespaceListResponse, type NamespaceResponse, type NegativeExampleDto, NetworkError, type NeuroSymbolicStatusResponse, type NlQueryRequest, type NlQueryResponse, NotFoundError, type NumberToStringRequest, 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 PendingActionReviewDto, type PendingInvocationDto, 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 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 ResiduationDetailDto, type ResiduationDto, type ResiduationGoalDto, type ResiduationKind, type ResiduationRequest, type ResiduationResponse, type ResiduationStateFilter, type ResiduationStateRequest, type ResiduationStateResponse, type ResourceCoordinationRequest, 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 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 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 SortOriginDto, type SortRecommendation, 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 SymbolicResultDto, type SynthesizeRequest, type SynthesizeResponse, type TaggedDerivedFact, type TaggedFactDto, type TaggedFcRequest, type TaggedFcResponse, type TaggedForwardChainRequest, type TaggedForwardChainResponse, type TemporalPlanRequest, type TenantInfoDto, type TermBindingDto, type TermDto, TermInput, type TermInputDto, type TermInputInline, type TermInputInlineByName, type TermInputRef, type TermPatternDto, type TermResponse, type TermState, type TermStoreSessionResponse, TimeoutError, type TrailEntryDto, type TrainFromTracesResponse, type TrainingExample, type TrainingExampleDto, type TrainingTriggerResponse, type TrajectoryStepDto, type TrapezoidalShape, type TriangularShape, type TriggerDependencyRequest, type TriggerDependencyResponse, type UndoRequest, type UndoRuleStoreRequest, type UndoRuleStoreResponse, type UnifiableQueryRequest, 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, WebSocketClient, WebSocketConnection, type WebhookCallbackRequest, type WebhookCallbackResponse, type WeightedFactDto, type WitnessInstantiationDto, type WitnessProofDto, allen, discriminateFeatureValue, guard, isUuid, psi };