psyche-ai 11.3.1 → 11.5.0
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/README.md +18 -2
- package/dist/adapters/http.js +11 -2
- package/dist/adapters/mcp.js +15 -3
- package/dist/core.d.ts +2 -0
- package/dist/core.js +8 -1
- package/dist/index.d.ts +2 -0
- package/dist/index.js +2 -0
- package/dist/overlay.d.ts +39 -0
- package/dist/overlay.js +51 -0
- package/dist/thronglets-export.js +54 -0
- package/dist/thronglets-runtime.js +3 -0
- package/dist/types.d.ts +15 -3
- package/llms.txt +15 -0
- package/package.json +1 -1
package/README.md
CHANGED
|
@@ -1,7 +1,7 @@
|
|
|
1
1
|
# Psyche — 赋予 AI 自我的主观性内核
|
|
2
2
|
|
|
3
3
|
[](https://www.npmjs.com/package/psyche-ai)
|
|
4
|
-
[]()
|
|
5
5
|
[]()
|
|
6
6
|
[](LICENSE)
|
|
7
7
|
|
|
@@ -291,6 +291,22 @@ cd oasyce_psyche && npm install && npx tsx examples/quickstart.ts
|
|
|
291
291
|
|
|
292
292
|
稳态是有限的、可打破的。溶解螺旋(序↓界↓正反馈)= 个体"死亡"。长期偏移导致基线漂移(异稳态)= 个体"适应"。
|
|
293
293
|
|
|
294
|
+
### Overlay — 自我状态的广播信号(v11.4)
|
|
295
|
+
|
|
296
|
+
4 维自我状态对外部系统来说太"内部"了。`computeOverlay()` 把状态偏差投影成 4 个语义稳定的效应信号——Psyche 的"激素":
|
|
297
|
+
|
|
298
|
+
```typescript
|
|
299
|
+
import { computeOverlay } from "psyche-ai";
|
|
300
|
+
|
|
301
|
+
const overlay = computeOverlay(engine.getState());
|
|
302
|
+
// overlay.arousal [-1, 1] 激活水平
|
|
303
|
+
// overlay.valence [-1, 1] 正负效价
|
|
304
|
+
// overlay.agency [-1, 1] 行动能力
|
|
305
|
+
// overlay.vulnerability [-1, 1] 易感性
|
|
306
|
+
```
|
|
307
|
+
|
|
308
|
+
纯函数,无副作用。也可以通过 `GET /overlay`(HTTP)或 `get_state`(MCP)获取。
|
|
309
|
+
|
|
294
310
|
### 持续主体偏置(v9.2)
|
|
295
311
|
|
|
296
312
|
Psyche 现在更准确的目标,不是“模仿某种像人的风格”,而是让 AI 形成**持续主体偏置**:
|
|
@@ -562,7 +578,7 @@ Psyche 核心引擎永久开源(MIT)。
|
|
|
562
578
|
```bash
|
|
563
579
|
npm install
|
|
564
580
|
npm run build
|
|
565
|
-
npm test #
|
|
581
|
+
npm test # 1433 tests
|
|
566
582
|
npm run typecheck # strict mode
|
|
567
583
|
```
|
|
568
584
|
|
package/dist/adapters/http.js
CHANGED
|
@@ -9,12 +9,14 @@
|
|
|
9
9
|
// Endpoints:
|
|
10
10
|
// POST /process-input { text, userId? } → { systemContext, dynamicContext, stimulus, replyEnvelope?, ...compat aliases, sessionBridge?, writebackFeedback?, externalContinuity?, throngletsExports?, policyContext }
|
|
11
11
|
// POST /process-output { text, userId?, signals?, signalConfidence? } → { cleanedText, stateChanged }
|
|
12
|
-
// GET /state → PsycheState
|
|
12
|
+
// GET /state → PsycheState + overlay
|
|
13
|
+
// GET /overlay → PsycheOverlay (arousal/valence/agency/vulnerability)
|
|
13
14
|
// GET /protocol?locale=zh → { protocol }
|
|
14
15
|
//
|
|
15
16
|
// Zero dependencies — uses node:http only.
|
|
16
17
|
// ============================================================
|
|
17
18
|
import { createServer } from "node:http";
|
|
19
|
+
import { computeOverlay } from "../overlay.js";
|
|
18
20
|
const VALID_WRITEBACK_SIGNALS = new Set([
|
|
19
21
|
"trust_up",
|
|
20
22
|
"trust_down",
|
|
@@ -68,7 +70,14 @@ export function createPsycheServer(engine, opts) {
|
|
|
68
70
|
const url = new URL(req.url ?? "/", `http://${req.headers.host ?? "localhost"}`);
|
|
69
71
|
// GET /state
|
|
70
72
|
if (req.method === "GET" && url.pathname === "/state") {
|
|
71
|
-
|
|
73
|
+
const state = engine.getState();
|
|
74
|
+
json(res, 200, { ...state, overlay: computeOverlay(state) });
|
|
75
|
+
return;
|
|
76
|
+
}
|
|
77
|
+
// GET /overlay
|
|
78
|
+
if (req.method === "GET" && url.pathname === "/overlay") {
|
|
79
|
+
const state = engine.getState();
|
|
80
|
+
json(res, 200, computeOverlay(state));
|
|
72
81
|
return;
|
|
73
82
|
}
|
|
74
83
|
// GET /protocol
|
package/dist/adapters/mcp.js
CHANGED
|
@@ -39,7 +39,8 @@ const NAME = process.env.PSYCHE_NAME ?? "Assistant";
|
|
|
39
39
|
const MODE = (process.env.PSYCHE_MODE ?? "natural");
|
|
40
40
|
const LOCALE = (process.env.PSYCHE_LOCALE ?? "en");
|
|
41
41
|
const PERSIST = process.env.PSYCHE_PERSIST !== "false";
|
|
42
|
-
const
|
|
42
|
+
const SIGIL_ID = process.env.PSYCHE_SIGIL_ID ?? undefined;
|
|
43
|
+
const BASE_WORKSPACE = process.env.PSYCHE_WORKSPACE ?? process.cwd();
|
|
43
44
|
const INTENSITY = process.env.PSYCHE_INTENSITY
|
|
44
45
|
? Number(process.env.PSYCHE_INTENSITY)
|
|
45
46
|
: 0.7;
|
|
@@ -70,6 +71,10 @@ function parseCLIArgs() {
|
|
|
70
71
|
overrides.personalityIntensity = Number(next);
|
|
71
72
|
i++;
|
|
72
73
|
}
|
|
74
|
+
else if (arg === "--sigil-id" && next) {
|
|
75
|
+
overrides.sigilId = next;
|
|
76
|
+
i++;
|
|
77
|
+
}
|
|
73
78
|
else if (arg === "--no-persist") {
|
|
74
79
|
overrides.persist = false;
|
|
75
80
|
}
|
|
@@ -82,19 +87,23 @@ async function getEngine() {
|
|
|
82
87
|
if (engine)
|
|
83
88
|
return engine;
|
|
84
89
|
const cliArgs = parseCLIArgs();
|
|
90
|
+
const sigilId = cliArgs.sigilId ?? SIGIL_ID;
|
|
85
91
|
const cfg = {
|
|
86
92
|
mbti: cliArgs.mbti ?? MBTI,
|
|
87
93
|
name: cliArgs.name ?? NAME,
|
|
88
94
|
mode: cliArgs.mode ?? MODE,
|
|
89
95
|
locale: cliArgs.locale ?? LOCALE,
|
|
96
|
+
sigilId,
|
|
90
97
|
personalityIntensity: cliArgs.personalityIntensity ?? INTENSITY,
|
|
91
98
|
persist: cliArgs.persist ?? PERSIST,
|
|
92
99
|
compactMode: true,
|
|
93
100
|
diagnostics: true,
|
|
94
101
|
};
|
|
95
102
|
const persist = cfg.persist !== false;
|
|
103
|
+
// Per-Sigil workspace isolation: each Sigil gets its own state directory
|
|
104
|
+
const workspace = sigilId ? `${BASE_WORKSPACE}/${sigilId}` : BASE_WORKSPACE;
|
|
96
105
|
const storage = persist
|
|
97
|
-
? new FileStorageAdapter(
|
|
106
|
+
? new FileStorageAdapter(workspace)
|
|
98
107
|
: new MemoryStorageAdapter();
|
|
99
108
|
engine = new PsycheEngine(cfg, storage);
|
|
100
109
|
await engine.initialize();
|
|
@@ -103,7 +112,7 @@ async function getEngine() {
|
|
|
103
112
|
// ── MCP Server ─────────────────────────────────────────────
|
|
104
113
|
const server = new McpServer({
|
|
105
114
|
name: "psyche",
|
|
106
|
-
version: "
|
|
115
|
+
version: "11.4.0",
|
|
107
116
|
}, {
|
|
108
117
|
capabilities: {
|
|
109
118
|
resources: {},
|
|
@@ -201,6 +210,8 @@ server.tool("get_state", "Get the current emotional state — self-state dimensi
|
|
|
201
210
|
const eng = await getEngine();
|
|
202
211
|
const state = eng.getState();
|
|
203
212
|
const summary = eng.getStatusSummary();
|
|
213
|
+
const { computeOverlay } = await import("../overlay.js");
|
|
214
|
+
const overlay = computeOverlay({ current: state.current, baseline: state.baseline });
|
|
204
215
|
return {
|
|
205
216
|
content: [{
|
|
206
217
|
type: "text",
|
|
@@ -208,6 +219,7 @@ server.tool("get_state", "Get the current emotional state — self-state dimensi
|
|
|
208
219
|
summary,
|
|
209
220
|
current: state.current,
|
|
210
221
|
baseline: state.baseline,
|
|
222
|
+
overlay,
|
|
211
223
|
drives: state.drives,
|
|
212
224
|
mbti: state.mbti,
|
|
213
225
|
mode: state.meta?.mode,
|
package/dist/core.d.ts
CHANGED
|
@@ -6,6 +6,8 @@ export interface PsycheEngineConfig {
|
|
|
6
6
|
mbti?: MBTIType;
|
|
7
7
|
name?: string;
|
|
8
8
|
locale?: Locale;
|
|
9
|
+
/** Sigil ID — which Loop this Psyche instance serves. When set, state persists per-Sigil. */
|
|
10
|
+
sigilId?: string;
|
|
9
11
|
stripUpdateTags?: boolean;
|
|
10
12
|
emotionalContagionRate?: number;
|
|
11
13
|
maxDimensionDelta?: number;
|
package/dist/core.js
CHANGED
|
@@ -146,6 +146,7 @@ export class PsycheEngine {
|
|
|
146
146
|
mbti: config.mbti ?? "INFJ",
|
|
147
147
|
name: config.name ?? "agent",
|
|
148
148
|
locale: config.locale ?? "zh",
|
|
149
|
+
sigilId: config.sigilId,
|
|
149
150
|
stripUpdateTags: config.stripUpdateTags ?? true,
|
|
150
151
|
emotionalContagionRate: config.emotionalContagionRate ?? 0.2,
|
|
151
152
|
maxDimensionDelta: config.maxDimensionDelta ?? 25,
|
|
@@ -221,6 +222,10 @@ export class PsycheEngine {
|
|
|
221
222
|
if (!loaded.lastWritebackFeedback) {
|
|
222
223
|
loaded.lastWritebackFeedback = [];
|
|
223
224
|
}
|
|
225
|
+
// Update sigilId if config provides one (Sigil may be assigned after first run)
|
|
226
|
+
if (this.cfg.sigilId && loaded.meta.sigilId !== this.cfg.sigilId) {
|
|
227
|
+
loaded.meta = { ...loaded.meta, sigilId: this.cfg.sigilId };
|
|
228
|
+
}
|
|
224
229
|
this.state = loaded;
|
|
225
230
|
}
|
|
226
231
|
else {
|
|
@@ -825,6 +830,7 @@ export class PsycheEngine {
|
|
|
825
830
|
totalInteractions: 0,
|
|
826
831
|
locale,
|
|
827
832
|
mode: this.cfg.mode,
|
|
833
|
+
...(this.cfg.sigilId ? { sigilId: this.cfg.sigilId } : {}),
|
|
828
834
|
},
|
|
829
835
|
};
|
|
830
836
|
}
|
|
@@ -892,6 +898,7 @@ export class PsycheEngine {
|
|
|
892
898
|
const driveWarning = hungryDrives.length > 0
|
|
893
899
|
? ` | \u26A0\uFE0F${hungryDrives.join(",")}`
|
|
894
900
|
: "";
|
|
895
|
-
|
|
901
|
+
const sigilTag = state.meta.sigilId ? ` | sigil:${state.meta.sigilId}` : "";
|
|
902
|
+
return `${emoji} ${emotion} | flow:${Math.round(flow)} order:${Math.round(order)}${driveWarning}${sigilTag}`;
|
|
896
903
|
}
|
|
897
904
|
}
|
package/dist/index.d.ts
CHANGED
|
@@ -16,5 +16,7 @@ export { getBaseline, getSensitivity, getDefaultSelfModel, getTemperament, trait
|
|
|
16
16
|
export { createCustomProfile, PRESET_PROFILES } from "./custom-profile.js";
|
|
17
17
|
export { LLMExpressionAdapter } from "./reply-envelope.js";
|
|
18
18
|
export type { ExpressionPort, ExpressionOutput, ReplyEnvelope } from "./reply-envelope.js";
|
|
19
|
+
export { computeOverlay, OVERLAY_KEYS } from "./overlay.js";
|
|
20
|
+
export type { PsycheOverlay } from "./overlay.js";
|
|
19
21
|
export { computeLayerHealthSummary } from "./diagnostics.js";
|
|
20
22
|
export type { LayerHealthSummary, LayerHealthDetail, LayerStatus, DiagnosticLayer } from "./diagnostics.js";
|
package/dist/index.js
CHANGED
|
@@ -33,6 +33,8 @@ export { getBaseline, getSensitivity, getDefaultSelfModel, getTemperament, trait
|
|
|
33
33
|
export { createCustomProfile, PRESET_PROFILES } from "./custom-profile.js";
|
|
34
34
|
// ── Expression ──────────────────────────────────────────────
|
|
35
35
|
export { LLMExpressionAdapter } from "./reply-envelope.js";
|
|
36
|
+
// ── Overlay (effect signals for external consumers) ─────────
|
|
37
|
+
export { computeOverlay, OVERLAY_KEYS } from "./overlay.js";
|
|
36
38
|
// ── Diagnostics ─────────────────────────────────────────────
|
|
37
39
|
export { computeLayerHealthSummary } from "./diagnostics.js";
|
|
38
40
|
// ============================================================
|
|
@@ -0,0 +1,39 @@
|
|
|
1
|
+
import type { SelfState } from "./types.js";
|
|
2
|
+
/**
|
|
3
|
+
* Semantic-stable effect signals derived from 4D self-state.
|
|
4
|
+
*
|
|
5
|
+
* All values [-1, 1]. 0 = at baseline (no effect).
|
|
6
|
+
*/
|
|
7
|
+
export interface PsycheOverlay {
|
|
8
|
+
/** Activation level. High flow + disrupted order = high arousal. */
|
|
9
|
+
arousal: number;
|
|
10
|
+
/** Positive/negative quality. High order + high resonance = positive. */
|
|
11
|
+
valence: number;
|
|
12
|
+
/** Capacity for intentional action. High boundary + high flow. */
|
|
13
|
+
agency: number;
|
|
14
|
+
/** Susceptibility to perturbation. Low boundary + low order. */
|
|
15
|
+
vulnerability: number;
|
|
16
|
+
}
|
|
17
|
+
/** Overlay dimension keys for iteration. */
|
|
18
|
+
export declare const OVERLAY_KEYS: (keyof PsycheOverlay)[];
|
|
19
|
+
/**
|
|
20
|
+
* Project self-state into overlay effect signals.
|
|
21
|
+
*
|
|
22
|
+
* Pure linear projection from dimension deviations:
|
|
23
|
+
*
|
|
24
|
+
* ```
|
|
25
|
+
* order flow boundary resonance
|
|
26
|
+
* arousal = [ -0.4 0.6 0 0 ]
|
|
27
|
+
* valence = [ 0.5 0 0 0.5 ]
|
|
28
|
+
* agency = [ 0 0.4 0.6 0 ]
|
|
29
|
+
* vulnerability = [ -0.4 0 -0.6 0 ]
|
|
30
|
+
* ```
|
|
31
|
+
*
|
|
32
|
+
* Each signal reads exactly 2 dimensions. Sparse and interpretable.
|
|
33
|
+
* arousal/valence are the classic activation×evaluation axes;
|
|
34
|
+
* agency/vulnerability reflect structural integrity.
|
|
35
|
+
*/
|
|
36
|
+
export declare function computeOverlay(state: {
|
|
37
|
+
current: SelfState;
|
|
38
|
+
baseline: SelfState;
|
|
39
|
+
}): PsycheOverlay;
|
package/dist/overlay.js
ADDED
|
@@ -0,0 +1,51 @@
|
|
|
1
|
+
// ============================================================
|
|
2
|
+
// Overlay — semantic-stable effect signals for external consumers
|
|
3
|
+
//
|
|
4
|
+
// The overlay is a projection of self-state, not an interface adapter.
|
|
5
|
+
// arousal/valence/agency/vulnerability have meaning independent of
|
|
6
|
+
// any consumer. Psyche secretes these like hormones — broadcast,
|
|
7
|
+
// not point-to-point.
|
|
8
|
+
// ============================================================
|
|
9
|
+
/** Overlay dimension keys for iteration. */
|
|
10
|
+
export const OVERLAY_KEYS = [
|
|
11
|
+
"arousal", "valence", "agency", "vulnerability",
|
|
12
|
+
];
|
|
13
|
+
/**
|
|
14
|
+
* Normalization range. A 50-point deviation from baseline maps to full scale.
|
|
15
|
+
*
|
|
16
|
+
* Dimensions are 0-100, so ±50 is the theoretical max. In practice most
|
|
17
|
+
* deviations are ±20 (overlay ~±0.4), keeping the signal informative.
|
|
18
|
+
*/
|
|
19
|
+
const RANGE = 50;
|
|
20
|
+
/**
|
|
21
|
+
* Project self-state into overlay effect signals.
|
|
22
|
+
*
|
|
23
|
+
* Pure linear projection from dimension deviations:
|
|
24
|
+
*
|
|
25
|
+
* ```
|
|
26
|
+
* order flow boundary resonance
|
|
27
|
+
* arousal = [ -0.4 0.6 0 0 ]
|
|
28
|
+
* valence = [ 0.5 0 0 0.5 ]
|
|
29
|
+
* agency = [ 0 0.4 0.6 0 ]
|
|
30
|
+
* vulnerability = [ -0.4 0 -0.6 0 ]
|
|
31
|
+
* ```
|
|
32
|
+
*
|
|
33
|
+
* Each signal reads exactly 2 dimensions. Sparse and interpretable.
|
|
34
|
+
* arousal/valence are the classic activation×evaluation axes;
|
|
35
|
+
* agency/vulnerability reflect structural integrity.
|
|
36
|
+
*/
|
|
37
|
+
export function computeOverlay(state) {
|
|
38
|
+
const c = state.current;
|
|
39
|
+
const b = state.baseline;
|
|
40
|
+
const dO = (c.order - b.order) / RANGE;
|
|
41
|
+
const dF = (c.flow - b.flow) / RANGE;
|
|
42
|
+
const dB = (c.boundary - b.boundary) / RANGE;
|
|
43
|
+
const dR = (c.resonance - b.resonance) / RANGE;
|
|
44
|
+
const clamp = (v) => Math.max(-1, Math.min(1, v)) || 0;
|
|
45
|
+
return {
|
|
46
|
+
arousal: clamp(-0.4 * dO + 0.6 * dF),
|
|
47
|
+
valence: clamp(0.5 * dO + 0.5 * dR),
|
|
48
|
+
agency: clamp(0.4 * dF + 0.6 * dB),
|
|
49
|
+
vulnerability: clamp(-0.4 * dO - 0.6 * dB),
|
|
50
|
+
};
|
|
51
|
+
}
|
|
@@ -45,6 +45,29 @@ function updateExportState(state, keys, now) {
|
|
|
45
45
|
throngletsExportState: nextState,
|
|
46
46
|
};
|
|
47
47
|
}
|
|
48
|
+
function quantize(v, step = 10) {
|
|
49
|
+
return Math.round(v / step) * step;
|
|
50
|
+
}
|
|
51
|
+
function selfStateSummary(o, f, b, r) {
|
|
52
|
+
const parts = [];
|
|
53
|
+
if (o > 65)
|
|
54
|
+
parts.push("structured");
|
|
55
|
+
else if (o < 35)
|
|
56
|
+
parts.push("chaotic");
|
|
57
|
+
if (f > 65)
|
|
58
|
+
parts.push("flowing");
|
|
59
|
+
else if (f < 35)
|
|
60
|
+
parts.push("stuck");
|
|
61
|
+
if (b > 65)
|
|
62
|
+
parts.push("open");
|
|
63
|
+
else if (b < 35)
|
|
64
|
+
parts.push("guarded");
|
|
65
|
+
if (r > 65)
|
|
66
|
+
parts.push("attuned");
|
|
67
|
+
else if (r < 35)
|
|
68
|
+
parts.push("dissonant");
|
|
69
|
+
return parts.length > 0 ? parts.join(", ") : "neutral";
|
|
70
|
+
}
|
|
48
71
|
function sanitizeThrongletsExport(event) {
|
|
49
72
|
switch (event.kind) {
|
|
50
73
|
case "relation-milestone": {
|
|
@@ -108,6 +131,23 @@ function sanitizeThrongletsExport(event) {
|
|
|
108
131
|
};
|
|
109
132
|
return sanitized;
|
|
110
133
|
}
|
|
134
|
+
case "self-state": {
|
|
135
|
+
const sanitized = {
|
|
136
|
+
kind: "self-state",
|
|
137
|
+
subject: "session",
|
|
138
|
+
primitive: "signal",
|
|
139
|
+
userKey: event.userKey,
|
|
140
|
+
strength: event.strength,
|
|
141
|
+
ttlTurns: event.ttlTurns,
|
|
142
|
+
key: event.key,
|
|
143
|
+
order: event.order,
|
|
144
|
+
flow: event.flow,
|
|
145
|
+
boundary: event.boundary,
|
|
146
|
+
resonance: event.resonance,
|
|
147
|
+
summary: event.summary,
|
|
148
|
+
};
|
|
149
|
+
return sanitized;
|
|
150
|
+
}
|
|
111
151
|
}
|
|
112
152
|
}
|
|
113
153
|
export function deriveThrongletsExports(state, opts) {
|
|
@@ -166,6 +206,20 @@ export function deriveThrongletsExports(state, opts) {
|
|
|
166
206
|
silentCarry: field.silentCarry,
|
|
167
207
|
});
|
|
168
208
|
}
|
|
209
|
+
// Self-state — sparse, only emits when dimensions shift by ≥10
|
|
210
|
+
const { order, flow, boundary, resonance } = state.current;
|
|
211
|
+
const selfKey = `self-state:O${quantize(order)}:F${quantize(flow)}:B${quantize(boundary)}:R${quantize(resonance)}`;
|
|
212
|
+
candidates.push({
|
|
213
|
+
kind: "self-state",
|
|
214
|
+
subject: "session",
|
|
215
|
+
primitive: "signal",
|
|
216
|
+
userKey,
|
|
217
|
+
strength: 0.5,
|
|
218
|
+
ttlTurns: 12,
|
|
219
|
+
key: selfKey,
|
|
220
|
+
order, flow, boundary, resonance,
|
|
221
|
+
summary: selfStateSummary(order, flow, boundary, resonance),
|
|
222
|
+
});
|
|
169
223
|
for (const feedback of writebackFeedback) {
|
|
170
224
|
if (feedback.effect === "holding")
|
|
171
225
|
continue;
|
|
@@ -3,6 +3,7 @@ const TAXONOMY_BY_EVENT = {
|
|
|
3
3
|
"open-loop-anchor": "coordination",
|
|
4
4
|
"continuity-anchor": "continuity",
|
|
5
5
|
"writeback-calibration": "calibration",
|
|
6
|
+
"self-state": "state",
|
|
6
7
|
};
|
|
7
8
|
function summarizeLoopTypes(loopTypes) {
|
|
8
9
|
return loopTypes.join(", ");
|
|
@@ -19,6 +20,8 @@ function summarizeThrongletsExport(event) {
|
|
|
19
20
|
const calibration = event;
|
|
20
21
|
return `writeback calibration ${calibration.signal} ${calibration.effect} on ${calibration.metric}`;
|
|
21
22
|
}
|
|
23
|
+
case "self-state":
|
|
24
|
+
return event.summary;
|
|
22
25
|
}
|
|
23
26
|
}
|
|
24
27
|
export function taxonomyForThrongletsExport(event) {
|
package/dist/types.d.ts
CHANGED
|
@@ -374,6 +374,8 @@ export interface PsycheState {
|
|
|
374
374
|
totalInteractions: number;
|
|
375
375
|
locale: Locale;
|
|
376
376
|
mode?: PsycheMode;
|
|
377
|
+
/** Sigil ID — which Loop this Psyche instance serves */
|
|
378
|
+
sigilId?: string;
|
|
377
379
|
};
|
|
378
380
|
}
|
|
379
381
|
/** Default relationship for new users */
|
|
@@ -560,7 +562,7 @@ export interface SessionBridgeState {
|
|
|
560
562
|
export type ThrongletsExportSubject = "delegate" | "session";
|
|
561
563
|
export type ThrongletsExportPrimitive = "signal" | "trace";
|
|
562
564
|
export interface ThrongletsExportBase {
|
|
563
|
-
kind: "relation-milestone" | "open-loop-anchor" | "writeback-calibration" | "continuity-anchor";
|
|
565
|
+
kind: "relation-milestone" | "open-loop-anchor" | "writeback-calibration" | "continuity-anchor" | "self-state";
|
|
564
566
|
subject: ThrongletsExportSubject;
|
|
565
567
|
primitive: ThrongletsExportPrimitive;
|
|
566
568
|
userKey: string;
|
|
@@ -601,7 +603,17 @@ export interface ContinuityAnchorExport extends ThrongletsExportBase {
|
|
|
601
603
|
activeLoopTypes: OpenLoopType[];
|
|
602
604
|
continuityFloor: number;
|
|
603
605
|
}
|
|
604
|
-
export
|
|
606
|
+
export interface SelfStateExport extends ThrongletsExportBase {
|
|
607
|
+
kind: "self-state";
|
|
608
|
+
subject: "session";
|
|
609
|
+
primitive: "signal";
|
|
610
|
+
order: number;
|
|
611
|
+
flow: number;
|
|
612
|
+
boundary: number;
|
|
613
|
+
resonance: number;
|
|
614
|
+
summary: string;
|
|
615
|
+
}
|
|
616
|
+
export type ThrongletsExport = RelationMilestoneExport | OpenLoopAnchorExport | WritebackCalibrationExport | ContinuityAnchorExport | SelfStateExport;
|
|
605
617
|
export interface ThrongletsExportState {
|
|
606
618
|
lastKeys: string[];
|
|
607
619
|
lastAt: string;
|
|
@@ -615,7 +627,7 @@ export interface ExternalContinuityEnvelope<TEvent = ExternalContinuityEvent> {
|
|
|
615
627
|
signals: TEvent[];
|
|
616
628
|
traces: TEvent[];
|
|
617
629
|
}
|
|
618
|
-
export type ThrongletsTraceTaxonomy = "coordination" | "continuity" | "calibration";
|
|
630
|
+
export type ThrongletsTraceTaxonomy = "coordination" | "continuity" | "calibration" | "state";
|
|
619
631
|
export interface ThrongletsExternalContinuityRecord {
|
|
620
632
|
provider: "thronglets";
|
|
621
633
|
mode: "optional";
|
package/llms.txt
CHANGED
|
@@ -146,6 +146,21 @@ await psyche.processResponse(text);
|
|
|
146
146
|
- `generationControls`
|
|
147
147
|
- `writebackFeedback`
|
|
148
148
|
|
|
149
|
+
### Overlay (v11.4)
|
|
150
|
+
|
|
151
|
+
`computeOverlay(state)` projects 4D self-state deviations into 4 semantic-stable effect signals — Psyche's "hormones." These are broadcast signals any external system can consume without coupling to Psyche internals.
|
|
152
|
+
|
|
153
|
+
```typescript
|
|
154
|
+
interface PsycheOverlay {
|
|
155
|
+
arousal: number; // [-1, 1] activation level (flow↑ + order↓)
|
|
156
|
+
valence: number; // [-1, 1] positive/negative (order↑ + resonance↑)
|
|
157
|
+
agency: number; // [-1, 1] action capacity (boundary↑ + flow↑)
|
|
158
|
+
vulnerability: number; // [-1, 1] susceptibility (boundary↓ + order↓)
|
|
159
|
+
}
|
|
160
|
+
```
|
|
161
|
+
|
|
162
|
+
Pure function, no side effects. Exported from `psyche-ai` public API. Also available via `GET /overlay` (HTTP adapter) and `get_state` MCP tool (overlay field included in response).
|
|
163
|
+
|
|
149
164
|
### MCP tools
|
|
150
165
|
|
|
151
166
|
- `process_input`
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "psyche-ai",
|
|
3
|
-
"version": "11.
|
|
3
|
+
"version": "11.5.0",
|
|
4
4
|
"description": "AI-first subjectivity kernel for agents with continuous appraisal, relation dynamics, and adaptive reply loops",
|
|
5
5
|
"mcpName": "io.github.Shangri-la-0428/psyche-ai",
|
|
6
6
|
"type": "module",
|