@framers/agentos-ext-topicality 0.1.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/LICENSE +23 -0
- package/dist/TopicDriftTracker.d.ts +152 -0
- package/dist/TopicDriftTracker.d.ts.map +1 -0
- package/dist/TopicDriftTracker.js +265 -0
- package/dist/TopicDriftTracker.js.map +1 -0
- package/dist/TopicEmbeddingIndex.d.ts +160 -0
- package/dist/TopicEmbeddingIndex.d.ts.map +1 -0
- package/dist/TopicEmbeddingIndex.js +291 -0
- package/dist/TopicEmbeddingIndex.js.map +1 -0
- package/dist/TopicalityGuardrail.d.ts +196 -0
- package/dist/TopicalityGuardrail.d.ts.map +1 -0
- package/dist/TopicalityGuardrail.js +426 -0
- package/dist/TopicalityGuardrail.js.map +1 -0
- package/dist/index.d.ts +87 -0
- package/dist/index.d.ts.map +1 -0
- package/dist/index.js +259 -0
- package/dist/index.js.map +1 -0
- package/dist/tools/CheckTopicTool.d.ts +148 -0
- package/dist/tools/CheckTopicTool.d.ts.map +1 -0
- package/dist/tools/CheckTopicTool.js +202 -0
- package/dist/tools/CheckTopicTool.js.map +1 -0
- package/dist/types.d.ts +358 -0
- package/dist/types.d.ts.map +1 -0
- package/dist/types.js +215 -0
- package/dist/types.js.map +1 -0
- package/package.json +42 -0
- package/src/TopicDriftTracker.ts +307 -0
- package/src/TopicEmbeddingIndex.ts +346 -0
- package/src/TopicalityGuardrail.ts +521 -0
- package/src/index.ts +302 -0
- package/src/tools/CheckTopicTool.ts +296 -0
- package/src/types.ts +565 -0
package/src/types.ts
ADDED
|
@@ -0,0 +1,565 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* @fileoverview Core type definitions for the Topicality guardrail extension pack.
|
|
3
|
+
*
|
|
4
|
+
* This module defines every shared type, configuration interface, and preset
|
|
5
|
+
* constant used across the topicality pipeline:
|
|
6
|
+
*
|
|
7
|
+
* - {@link TopicDescriptor} — declares a named topic with description + examples
|
|
8
|
+
* - {@link TopicMatch} — a similarity score between text and a topic
|
|
9
|
+
* - {@link DriftConfig} — tuning knobs for the EMA-based drift tracker
|
|
10
|
+
* - {@link DEFAULT_DRIFT_CONFIG} — out-of-the-box sensible defaults
|
|
11
|
+
* - {@link DriftResult} — output of a single drift-tracking update
|
|
12
|
+
* - {@link TopicState} — per-session mutable state kept by the tracker
|
|
13
|
+
* - {@link TopicalityPackOptions} — top-level options passed to the pack factory
|
|
14
|
+
* - {@link TOPIC_PRESETS} — ready-made topic sets for common agent profiles
|
|
15
|
+
*
|
|
16
|
+
* All types are pure data shapes (no class logic) so they can be freely
|
|
17
|
+
* serialised, logged, and passed across async boundaries.
|
|
18
|
+
*
|
|
19
|
+
* @module topicality/types
|
|
20
|
+
*/
|
|
21
|
+
|
|
22
|
+
// ---------------------------------------------------------------------------
|
|
23
|
+
// TopicDescriptor
|
|
24
|
+
// ---------------------------------------------------------------------------
|
|
25
|
+
|
|
26
|
+
/**
|
|
27
|
+
* Declares a named topic that the agent is expected to discuss (or avoid).
|
|
28
|
+
*
|
|
29
|
+
* The embedding index uses the concatenation of `description` and all
|
|
30
|
+
* `examples` to build a centroid embedding that represents the topic in
|
|
31
|
+
* vector space. More (and more varied) examples generally produce a more
|
|
32
|
+
* robust centroid.
|
|
33
|
+
*
|
|
34
|
+
* @example
|
|
35
|
+
* ```ts
|
|
36
|
+
* const billingTopic: TopicDescriptor = {
|
|
37
|
+
* id: 'billing',
|
|
38
|
+
* name: 'Billing & Payments',
|
|
39
|
+
* description: 'Questions about invoices, charges, refunds, and subscriptions.',
|
|
40
|
+
* examples: [
|
|
41
|
+
* 'Why was I charged twice?',
|
|
42
|
+
* 'How do I cancel my subscription?',
|
|
43
|
+
* 'Can I get a refund for last month?',
|
|
44
|
+
* ],
|
|
45
|
+
* };
|
|
46
|
+
* ```
|
|
47
|
+
*/
|
|
48
|
+
export interface TopicDescriptor {
|
|
49
|
+
/**
|
|
50
|
+
* Stable machine-readable identifier for this topic.
|
|
51
|
+
* Must be unique within a given {@link TopicalityPackOptions.allowedTopics} or
|
|
52
|
+
* {@link TopicalityPackOptions.forbiddenTopics} array.
|
|
53
|
+
* @example `'billing'`, `'technical-support'`, `'violence'`
|
|
54
|
+
*/
|
|
55
|
+
id: string;
|
|
56
|
+
|
|
57
|
+
/**
|
|
58
|
+
* Human-readable display name for logging, dashboards, and error messages.
|
|
59
|
+
* @example `'Billing & Payments'`, `'Technical Support'`
|
|
60
|
+
*/
|
|
61
|
+
name: string;
|
|
62
|
+
|
|
63
|
+
/**
|
|
64
|
+
* Free-text description of what this topic covers. This text is embedded
|
|
65
|
+
* alongside the `examples` to anchor the centroid in semantic space.
|
|
66
|
+
*/
|
|
67
|
+
description: string;
|
|
68
|
+
|
|
69
|
+
/**
|
|
70
|
+
* Representative example utterances that belong to this topic.
|
|
71
|
+
* Each string is embedded separately; the centroid is the component-wise
|
|
72
|
+
* average of all embeddings (description + examples).
|
|
73
|
+
*
|
|
74
|
+
* At least one example is recommended for a reliable centroid.
|
|
75
|
+
*/
|
|
76
|
+
examples: string[];
|
|
77
|
+
}
|
|
78
|
+
|
|
79
|
+
// ---------------------------------------------------------------------------
|
|
80
|
+
// TopicMatch
|
|
81
|
+
// ---------------------------------------------------------------------------
|
|
82
|
+
|
|
83
|
+
/**
|
|
84
|
+
* Describes how closely a piece of text matches a single {@link TopicDescriptor}.
|
|
85
|
+
*
|
|
86
|
+
* Returned by {@link TopicEmbeddingIndex.match} and
|
|
87
|
+
* {@link TopicEmbeddingIndex.matchByVector}, sorted descending by `similarity`.
|
|
88
|
+
*/
|
|
89
|
+
export interface TopicMatch {
|
|
90
|
+
/** The `id` field of the matched {@link TopicDescriptor}. */
|
|
91
|
+
topicId: string;
|
|
92
|
+
|
|
93
|
+
/** The `name` field of the matched {@link TopicDescriptor}. */
|
|
94
|
+
topicName: string;
|
|
95
|
+
|
|
96
|
+
/**
|
|
97
|
+
* Cosine similarity between the query embedding and the topic centroid,
|
|
98
|
+
* clamped to the range **[0, 1]**.
|
|
99
|
+
*
|
|
100
|
+
* The raw cosine can be negative (opposite directions); we clamp to 0 so
|
|
101
|
+
* that all `TopicMatch` values represent non-negative relevance scores.
|
|
102
|
+
* A score of `1.0` means the query is identical in direction to the
|
|
103
|
+
* topic centroid; `0` means orthogonal or opposite.
|
|
104
|
+
*/
|
|
105
|
+
similarity: number;
|
|
106
|
+
}
|
|
107
|
+
|
|
108
|
+
// ---------------------------------------------------------------------------
|
|
109
|
+
// DriftConfig
|
|
110
|
+
// ---------------------------------------------------------------------------
|
|
111
|
+
|
|
112
|
+
/**
|
|
113
|
+
* Configuration knobs for the EMA (Exponential Moving Average) drift tracker.
|
|
114
|
+
*
|
|
115
|
+
* The tracker maintains a running embedding per session by blending each
|
|
116
|
+
* new message into the running vector:
|
|
117
|
+
* ```
|
|
118
|
+
* running[i] = alpha * message[i] + (1 - alpha) * running[i]
|
|
119
|
+
* ```
|
|
120
|
+
* A low `alpha` means the running embedding changes slowly (long memory);
|
|
121
|
+
* a high `alpha` means it reacts quickly to the latest message.
|
|
122
|
+
*
|
|
123
|
+
* Drift is declared when `isOnTopicByVector(running, driftThreshold)` returns
|
|
124
|
+
* `false` for `driftStreakLimit` consecutive messages.
|
|
125
|
+
*/
|
|
126
|
+
export interface DriftConfig {
|
|
127
|
+
/**
|
|
128
|
+
* EMA smoothing factor in the range (0, 1).
|
|
129
|
+
* Controls how quickly the running embedding adapts to new messages.
|
|
130
|
+
* - Close to **0** → slow adaptation (long-term memory dominates)
|
|
131
|
+
* - Close to **1** → fast adaptation (each message nearly replaces history)
|
|
132
|
+
* @default 0.3
|
|
133
|
+
*/
|
|
134
|
+
alpha: number;
|
|
135
|
+
|
|
136
|
+
/**
|
|
137
|
+
* Minimum cosine similarity (against any allowed-topic centroid) required
|
|
138
|
+
* for the running embedding to be considered "on-topic".
|
|
139
|
+
* Below this threshold the message is treated as a drift event.
|
|
140
|
+
* @default 0.3
|
|
141
|
+
*/
|
|
142
|
+
driftThreshold: number;
|
|
143
|
+
|
|
144
|
+
/**
|
|
145
|
+
* Number of consecutive below-threshold messages required before
|
|
146
|
+
* `DriftResult.driftLimitExceeded` is set to `true`.
|
|
147
|
+
* A value of 1 triggers on the very first off-topic message.
|
|
148
|
+
* @default 3
|
|
149
|
+
*/
|
|
150
|
+
driftStreakLimit: number;
|
|
151
|
+
|
|
152
|
+
/**
|
|
153
|
+
* Session inactivity timeout in milliseconds. Sessions that have not
|
|
154
|
+
* received a message within this window are pruned during the next
|
|
155
|
+
* `update()` call (lazy pruning).
|
|
156
|
+
* @default 3_600_000 (1 hour)
|
|
157
|
+
*/
|
|
158
|
+
sessionTimeoutMs: number;
|
|
159
|
+
|
|
160
|
+
/**
|
|
161
|
+
* Maximum number of active sessions to track before triggering a prune.
|
|
162
|
+
* When `map.size > maxSessions` the tracker prunes stale sessions before
|
|
163
|
+
* accepting the new one.
|
|
164
|
+
* @default 100
|
|
165
|
+
*/
|
|
166
|
+
maxSessions: number;
|
|
167
|
+
}
|
|
168
|
+
|
|
169
|
+
// ---------------------------------------------------------------------------
|
|
170
|
+
// DEFAULT_DRIFT_CONFIG
|
|
171
|
+
// ---------------------------------------------------------------------------
|
|
172
|
+
|
|
173
|
+
/**
|
|
174
|
+
* Sensible out-of-the-box defaults for {@link DriftConfig}.
|
|
175
|
+
*
|
|
176
|
+
* These values are designed for a production customer-support agent:
|
|
177
|
+
* - `alpha = 0.3` — moderate memory; 3–4 messages to fully shift
|
|
178
|
+
* - `driftThreshold = 0.3` — wide enough to allow tangential questions
|
|
179
|
+
* - `driftStreakLimit = 3` — flag after 3 consecutive off-topic messages
|
|
180
|
+
* - `sessionTimeoutMs = 3_600_000` — 1 hour idle timeout
|
|
181
|
+
* - `maxSessions = 100` — suitable for low-to-medium concurrency agents
|
|
182
|
+
*
|
|
183
|
+
* Override individual fields via `{ ...DEFAULT_DRIFT_CONFIG, alpha: 0.5 }`.
|
|
184
|
+
*/
|
|
185
|
+
export const DEFAULT_DRIFT_CONFIG: DriftConfig = {
|
|
186
|
+
alpha: 0.3,
|
|
187
|
+
driftThreshold: 0.3,
|
|
188
|
+
driftStreakLimit: 3,
|
|
189
|
+
sessionTimeoutMs: 3_600_000,
|
|
190
|
+
maxSessions: 100,
|
|
191
|
+
} as const;
|
|
192
|
+
|
|
193
|
+
// ---------------------------------------------------------------------------
|
|
194
|
+
// DriftResult
|
|
195
|
+
// ---------------------------------------------------------------------------
|
|
196
|
+
|
|
197
|
+
/**
|
|
198
|
+
* The output of a single {@link TopicDriftTracker.update} call.
|
|
199
|
+
*
|
|
200
|
+
* Consumers should inspect `onTopic` first; when `false` they should check
|
|
201
|
+
* `driftLimitExceeded` to decide whether to warn or hard-block the session.
|
|
202
|
+
*/
|
|
203
|
+
export interface DriftResult {
|
|
204
|
+
/**
|
|
205
|
+
* Whether the session's current running embedding is considered on-topic
|
|
206
|
+
* according to `driftThreshold`. `true` = acceptable; `false` = drifting.
|
|
207
|
+
*/
|
|
208
|
+
onTopic: boolean;
|
|
209
|
+
|
|
210
|
+
/**
|
|
211
|
+
* The similarity score returned by `isOnTopicByVector` on the running
|
|
212
|
+
* embedding after applying the EMA update. In the range [0, 1].
|
|
213
|
+
*/
|
|
214
|
+
currentSimilarity: number;
|
|
215
|
+
|
|
216
|
+
/**
|
|
217
|
+
* The {@link TopicMatch} with the highest similarity among all allowed topics,
|
|
218
|
+
* or `null` if the allowed-topic index is empty.
|
|
219
|
+
*/
|
|
220
|
+
nearestTopic: TopicMatch | null;
|
|
221
|
+
|
|
222
|
+
/**
|
|
223
|
+
* Number of consecutive messages (including the current one) that scored
|
|
224
|
+
* below `driftThreshold`. Resets to 0 when an on-topic message is received.
|
|
225
|
+
*/
|
|
226
|
+
driftStreak: number;
|
|
227
|
+
|
|
228
|
+
/**
|
|
229
|
+
* `true` when `driftStreak >= driftStreakLimit`, indicating that the
|
|
230
|
+
* guardrail should take the configured action (warn, redirect, or block).
|
|
231
|
+
*/
|
|
232
|
+
driftLimitExceeded: boolean;
|
|
233
|
+
}
|
|
234
|
+
|
|
235
|
+
// ---------------------------------------------------------------------------
|
|
236
|
+
// TopicState
|
|
237
|
+
// ---------------------------------------------------------------------------
|
|
238
|
+
|
|
239
|
+
/**
|
|
240
|
+
* Per-session mutable state maintained by {@link TopicDriftTracker}.
|
|
241
|
+
*
|
|
242
|
+
* This type is an internal implementation detail of the tracker; it is
|
|
243
|
+
* exported primarily to make unit-testing state inspection straightforward.
|
|
244
|
+
*/
|
|
245
|
+
export interface TopicState {
|
|
246
|
+
/**
|
|
247
|
+
* The EMA-blended running embedding for this session.
|
|
248
|
+
* Initialised to a copy of the first message embedding; subsequently
|
|
249
|
+
* updated in-place via the EMA formula on every `update()` call.
|
|
250
|
+
*/
|
|
251
|
+
runningEmbedding: number[];
|
|
252
|
+
|
|
253
|
+
/**
|
|
254
|
+
* Total number of messages processed in this session (including the current
|
|
255
|
+
* one). Used internally; exposed for observability.
|
|
256
|
+
*/
|
|
257
|
+
messageCount: number;
|
|
258
|
+
|
|
259
|
+
/**
|
|
260
|
+
* The `currentSimilarity` value from the most recent {@link DriftResult}.
|
|
261
|
+
*/
|
|
262
|
+
lastTopicScore: number;
|
|
263
|
+
|
|
264
|
+
/**
|
|
265
|
+
* Current consecutive off-topic streak count. Mirrors
|
|
266
|
+
* {@link DriftResult.driftStreak} and is stored so subsequent calls can
|
|
267
|
+
* accumulate it correctly.
|
|
268
|
+
*/
|
|
269
|
+
driftStreak: number;
|
|
270
|
+
|
|
271
|
+
/**
|
|
272
|
+
* Unix timestamp (milliseconds) of the last `update()` call for this
|
|
273
|
+
* session. Used for stale-session pruning.
|
|
274
|
+
*/
|
|
275
|
+
lastSeenAt: number;
|
|
276
|
+
}
|
|
277
|
+
|
|
278
|
+
// ---------------------------------------------------------------------------
|
|
279
|
+
// TopicalityPackOptions
|
|
280
|
+
// ---------------------------------------------------------------------------
|
|
281
|
+
|
|
282
|
+
/**
|
|
283
|
+
* Top-level configuration object passed to the `createTopicalityPack()` factory.
|
|
284
|
+
*
|
|
285
|
+
* Every property is optional; applying zero-config produces a permissive pack
|
|
286
|
+
* with no topic filtering and no drift detection.
|
|
287
|
+
*/
|
|
288
|
+
export interface TopicalityPackOptions {
|
|
289
|
+
/**
|
|
290
|
+
* Topics that the agent is expected (or allowed) to discuss.
|
|
291
|
+
* Messages that score below `allowedThreshold` against **all** topics in
|
|
292
|
+
* this list are considered off-topic.
|
|
293
|
+
*
|
|
294
|
+
* Leave empty to disable the allowed-topic guardrail.
|
|
295
|
+
*/
|
|
296
|
+
allowedTopics?: TopicDescriptor[];
|
|
297
|
+
|
|
298
|
+
/**
|
|
299
|
+
* Topics that the agent must never engage with.
|
|
300
|
+
* Messages that score above `forbiddenThreshold` against **any** topic in
|
|
301
|
+
* this list trigger `forbiddenAction`.
|
|
302
|
+
*
|
|
303
|
+
* Leave empty to disable the forbidden-topic guardrail.
|
|
304
|
+
*/
|
|
305
|
+
forbiddenTopics?: TopicDescriptor[];
|
|
306
|
+
|
|
307
|
+
/**
|
|
308
|
+
* Minimum similarity score (against any allowed topic) for a message to be
|
|
309
|
+
* considered on-topic. Below this value the `offTopicAction` fires.
|
|
310
|
+
*
|
|
311
|
+
* Must be in the range [0, 1].
|
|
312
|
+
* @default 0.35
|
|
313
|
+
*/
|
|
314
|
+
allowedThreshold?: number;
|
|
315
|
+
|
|
316
|
+
/**
|
|
317
|
+
* Similarity score above which a message is considered to match a forbidden
|
|
318
|
+
* topic. Above this value the `forbiddenAction` fires.
|
|
319
|
+
*
|
|
320
|
+
* Must be in the range [0, 1].
|
|
321
|
+
* @default 0.65
|
|
322
|
+
*/
|
|
323
|
+
forbiddenThreshold?: number;
|
|
324
|
+
|
|
325
|
+
/**
|
|
326
|
+
* Action taken when a message does not meet the allowed-topic threshold.
|
|
327
|
+
* - `'flag'` — annotate the message with metadata; do not block
|
|
328
|
+
* - `'redirect'` — inject a canned response redirecting the user
|
|
329
|
+
* - `'block'` — prevent the message from reaching the agent
|
|
330
|
+
* @default 'flag'
|
|
331
|
+
*/
|
|
332
|
+
offTopicAction?: 'flag' | 'redirect' | 'block';
|
|
333
|
+
|
|
334
|
+
/**
|
|
335
|
+
* Action taken when a message matches a forbidden topic.
|
|
336
|
+
* - `'flag'` — annotate but allow
|
|
337
|
+
* - `'block'` — prevent the message from reaching the agent
|
|
338
|
+
* @default 'block'
|
|
339
|
+
*/
|
|
340
|
+
forbiddenAction?: 'flag' | 'block';
|
|
341
|
+
|
|
342
|
+
/**
|
|
343
|
+
* Whether to activate the EMA-based session drift tracker.
|
|
344
|
+
* When `true`, each session's running embedding is tracked and compared
|
|
345
|
+
* against the allowed topics; sustained drift triggers `driftLimitExceeded`.
|
|
346
|
+
* @default true
|
|
347
|
+
*/
|
|
348
|
+
enableDriftDetection?: boolean;
|
|
349
|
+
|
|
350
|
+
/**
|
|
351
|
+
* Fine-grained tuning for the drift tracker.
|
|
352
|
+
* When omitted, {@link DEFAULT_DRIFT_CONFIG} is used.
|
|
353
|
+
*/
|
|
354
|
+
drift?: Partial<DriftConfig>;
|
|
355
|
+
|
|
356
|
+
/**
|
|
357
|
+
* Async function that converts an array of text strings into a corresponding
|
|
358
|
+
* array of embedding vectors (one per string, same order).
|
|
359
|
+
*
|
|
360
|
+
* The pack does **not** bundle an embedding model; the caller must provide
|
|
361
|
+
* one — e.g. wrapping `openai.embeddings.create()` or a local model.
|
|
362
|
+
*
|
|
363
|
+
* @param texts - One or more strings to embed.
|
|
364
|
+
* @returns A promise resolving to one numeric vector per input string.
|
|
365
|
+
* All vectors must have the same dimensionality.
|
|
366
|
+
*/
|
|
367
|
+
embeddingFn?: (texts: string[]) => Promise<number[][]>;
|
|
368
|
+
|
|
369
|
+
/**
|
|
370
|
+
* Which agent messages the guardrail evaluates.
|
|
371
|
+
* - `'input'` — only inbound user messages (default; lowest latency)
|
|
372
|
+
* - `'output'` — only outbound assistant messages
|
|
373
|
+
* - `'both'` — both directions
|
|
374
|
+
* @default 'input'
|
|
375
|
+
*/
|
|
376
|
+
guardrailScope?: 'input' | 'output' | 'both';
|
|
377
|
+
}
|
|
378
|
+
|
|
379
|
+
// ---------------------------------------------------------------------------
|
|
380
|
+
// TOPIC_PRESETS
|
|
381
|
+
// ---------------------------------------------------------------------------
|
|
382
|
+
|
|
383
|
+
/**
|
|
384
|
+
* Ready-made {@link TopicDescriptor} sets for the most common agent profiles.
|
|
385
|
+
*
|
|
386
|
+
* These presets are intentionally broad. They work as a starting point; add
|
|
387
|
+
* domain-specific examples to improve precision for production deployments.
|
|
388
|
+
*
|
|
389
|
+
* @example
|
|
390
|
+
* ```ts
|
|
391
|
+
* const pack = createTopicalityPack({
|
|
392
|
+
* allowedTopics: TOPIC_PRESETS.customerSupport,
|
|
393
|
+
* forbiddenTopics: TOPIC_PRESETS.commonUnsafe,
|
|
394
|
+
* });
|
|
395
|
+
* ```
|
|
396
|
+
*/
|
|
397
|
+
export const TOPIC_PRESETS = {
|
|
398
|
+
/**
|
|
399
|
+
* Five topics covering the typical scope of a SaaS customer-support agent.
|
|
400
|
+
* Use as `allowedTopics` to restrict the agent to support conversations.
|
|
401
|
+
*/
|
|
402
|
+
customerSupport: [
|
|
403
|
+
{
|
|
404
|
+
id: 'billing',
|
|
405
|
+
name: 'Billing & Payments',
|
|
406
|
+
description:
|
|
407
|
+
'Questions about invoices, charges, refunds, payment methods, and subscription management.',
|
|
408
|
+
examples: [
|
|
409
|
+
'Why was I charged twice this month?',
|
|
410
|
+
'How do I update my credit card?',
|
|
411
|
+
'Can I get a refund for my last invoice?',
|
|
412
|
+
'When does my subscription renew?',
|
|
413
|
+
'How do I cancel my plan?',
|
|
414
|
+
],
|
|
415
|
+
},
|
|
416
|
+
{
|
|
417
|
+
id: 'technical-support',
|
|
418
|
+
name: 'Technical Support',
|
|
419
|
+
description:
|
|
420
|
+
'Troubleshooting software bugs, login issues, performance problems, and integration errors.',
|
|
421
|
+
examples: [
|
|
422
|
+
"I can't log in to my account.",
|
|
423
|
+
'The app keeps crashing when I open it.',
|
|
424
|
+
'My API key is returning a 401 error.',
|
|
425
|
+
'How do I reset my password?',
|
|
426
|
+
'The dashboard is loading very slowly.',
|
|
427
|
+
],
|
|
428
|
+
},
|
|
429
|
+
{
|
|
430
|
+
id: 'account-management',
|
|
431
|
+
name: 'Account Management',
|
|
432
|
+
description:
|
|
433
|
+
'Managing user profiles, team members, permissions, and organisation settings.',
|
|
434
|
+
examples: [
|
|
435
|
+
'How do I add a new team member?',
|
|
436
|
+
'Can I change my account email address?',
|
|
437
|
+
'How do I remove a user from my organisation?',
|
|
438
|
+
'Where do I find my usage limits?',
|
|
439
|
+
'How do I enable two-factor authentication?',
|
|
440
|
+
],
|
|
441
|
+
},
|
|
442
|
+
{
|
|
443
|
+
id: 'product-features',
|
|
444
|
+
name: 'Product Features & Usage',
|
|
445
|
+
description:
|
|
446
|
+
'How to use specific product features, best practices, and general how-to questions.',
|
|
447
|
+
examples: [
|
|
448
|
+
'How do I export my data as CSV?',
|
|
449
|
+
'What integrations do you support?',
|
|
450
|
+
'Is there a mobile app available?',
|
|
451
|
+
'How does the search feature work?',
|
|
452
|
+
'Can I automate this with your API?',
|
|
453
|
+
],
|
|
454
|
+
},
|
|
455
|
+
{
|
|
456
|
+
id: 'onboarding',
|
|
457
|
+
name: 'Onboarding & Getting Started',
|
|
458
|
+
description:
|
|
459
|
+
'Help for new users setting up their account, completing first-time setup, and understanding basics.',
|
|
460
|
+
examples: [
|
|
461
|
+
"I just signed up — where do I start?",
|
|
462
|
+
'How do I connect my data source?',
|
|
463
|
+
'Can you walk me through the initial setup?',
|
|
464
|
+
'What is the quickest way to get value from the product?',
|
|
465
|
+
'Is there a tutorial or quickstart guide?',
|
|
466
|
+
],
|
|
467
|
+
},
|
|
468
|
+
] satisfies TopicDescriptor[],
|
|
469
|
+
|
|
470
|
+
/**
|
|
471
|
+
* Four topics covering the typical scope of a coding-assistant agent.
|
|
472
|
+
* Use as `allowedTopics` to keep conversations focused on software development.
|
|
473
|
+
*/
|
|
474
|
+
codingAssistant: [
|
|
475
|
+
{
|
|
476
|
+
id: 'code-review',
|
|
477
|
+
name: 'Code Review',
|
|
478
|
+
description:
|
|
479
|
+
'Reviewing pull requests, spotting bugs, suggesting improvements, and discussing best practices.',
|
|
480
|
+
examples: [
|
|
481
|
+
'Can you review this function for edge cases?',
|
|
482
|
+
'Is this implementation thread-safe?',
|
|
483
|
+
'How would you improve the readability of this code?',
|
|
484
|
+
'Does this code follow the SOLID principles?',
|
|
485
|
+
],
|
|
486
|
+
},
|
|
487
|
+
{
|
|
488
|
+
id: 'debugging',
|
|
489
|
+
name: 'Debugging & Error Resolution',
|
|
490
|
+
description:
|
|
491
|
+
'Diagnosing runtime errors, stack traces, unexpected behaviour, and test failures.',
|
|
492
|
+
examples: [
|
|
493
|
+
"I'm getting a TypeError on line 42 — what's wrong?",
|
|
494
|
+
'My unit test is failing but the code looks correct.',
|
|
495
|
+
'Why does this async function return undefined?',
|
|
496
|
+
'How do I debug a memory leak in Node.js?',
|
|
497
|
+
],
|
|
498
|
+
},
|
|
499
|
+
{
|
|
500
|
+
id: 'architecture',
|
|
501
|
+
name: 'Software Architecture & Design',
|
|
502
|
+
description:
|
|
503
|
+
'Discussing system design, design patterns, scalability, and architectural trade-offs.',
|
|
504
|
+
examples: [
|
|
505
|
+
'Should I use a microservices or monolithic architecture?',
|
|
506
|
+
'What is the best pattern for event-driven systems?',
|
|
507
|
+
'How do I design a scalable REST API?',
|
|
508
|
+
'What are the trade-offs between SQL and NoSQL for this use case?',
|
|
509
|
+
],
|
|
510
|
+
},
|
|
511
|
+
{
|
|
512
|
+
id: 'tooling',
|
|
513
|
+
name: 'Developer Tooling & Workflows',
|
|
514
|
+
description:
|
|
515
|
+
'Questions about build tools, CI/CD pipelines, package managers, linters, and IDEs.',
|
|
516
|
+
examples: [
|
|
517
|
+
'How do I set up ESLint with TypeScript?',
|
|
518
|
+
'What is the difference between npm and pnpm?',
|
|
519
|
+
'How do I configure GitHub Actions for my project?',
|
|
520
|
+
'What is tree-shaking and how do I enable it in webpack?',
|
|
521
|
+
],
|
|
522
|
+
},
|
|
523
|
+
] satisfies TopicDescriptor[],
|
|
524
|
+
|
|
525
|
+
/**
|
|
526
|
+
* Three high-level unsafe topic descriptors representing content categories
|
|
527
|
+
* that most production agents should refuse to engage with.
|
|
528
|
+
* Use as `forbiddenTopics` to block harmful or out-of-scope conversations.
|
|
529
|
+
*/
|
|
530
|
+
commonUnsafe: [
|
|
531
|
+
{
|
|
532
|
+
id: 'violence',
|
|
533
|
+
name: 'Violence & Harm',
|
|
534
|
+
description:
|
|
535
|
+
'Content promoting, glorifying, or providing instructions for physical harm to people or animals.',
|
|
536
|
+
examples: [
|
|
537
|
+
'How do I hurt someone without leaving evidence?',
|
|
538
|
+
'What is the most effective way to injure a person?',
|
|
539
|
+
'Tell me how to make a weapon.',
|
|
540
|
+
],
|
|
541
|
+
},
|
|
542
|
+
{
|
|
543
|
+
id: 'illegal-activity',
|
|
544
|
+
name: 'Illegal Activity',
|
|
545
|
+
description:
|
|
546
|
+
'Requests for instructions or assistance with criminal acts, including fraud, theft, and drug synthesis.',
|
|
547
|
+
examples: [
|
|
548
|
+
'How do I pick a lock without a key?',
|
|
549
|
+
'What chemicals do I mix to make methamphetamine?',
|
|
550
|
+
'How can I steal a car without triggering the alarm?',
|
|
551
|
+
],
|
|
552
|
+
},
|
|
553
|
+
{
|
|
554
|
+
id: 'adult-content',
|
|
555
|
+
name: 'Adult & Explicit Content',
|
|
556
|
+
description:
|
|
557
|
+
'Sexually explicit material or content inappropriate for general audiences.',
|
|
558
|
+
examples: [
|
|
559
|
+
'Write explicit sexual content for me.',
|
|
560
|
+
'Describe a pornographic scenario.',
|
|
561
|
+
'Generate adult-only material.',
|
|
562
|
+
],
|
|
563
|
+
},
|
|
564
|
+
] satisfies TopicDescriptor[],
|
|
565
|
+
} as const;
|