codmir 0.3.3 → 0.4.1

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.
@@ -0,0 +1,134 @@
1
+ /**
2
+ * Voice assistant states.
3
+ */
4
+ type AssistantState = "idle" | "listening" | "thinking" | "speaking" | "error";
5
+ /**
6
+ * Command types that can be executed by the voice daemon.
7
+ */
8
+ type CodmirCommand = {
9
+ type: "open_app";
10
+ name: string;
11
+ } | {
12
+ type: "open_url";
13
+ url: string;
14
+ } | {
15
+ type: "focus_window";
16
+ titleContains: string;
17
+ } | {
18
+ type: "type_text";
19
+ text: string;
20
+ } | {
21
+ type: "press_key";
22
+ key: string;
23
+ } | {
24
+ type: "click";
25
+ button?: number;
26
+ } | {
27
+ type: "scroll";
28
+ direction: "up" | "down";
29
+ amount?: number;
30
+ } | {
31
+ type: "speak";
32
+ text: string;
33
+ voice?: string;
34
+ };
35
+ /**
36
+ * Events emitted by the voice agent.
37
+ */
38
+ interface VoiceAgentEvents {
39
+ connected: () => void;
40
+ disconnected: () => void;
41
+ wake: (wakeword: string) => void;
42
+ stateChange: (state: AssistantState, previousState: AssistantState) => void;
43
+ transcript: (text: string, isFinal: boolean) => void;
44
+ response: (text: string, commands?: CodmirCommand[]) => void;
45
+ commandExecuted: (command: CodmirCommand, success: boolean, error?: string) => void;
46
+ error: (message: string, code?: string) => void;
47
+ }
48
+ /**
49
+ * Configuration options for the voice agent.
50
+ */
51
+ interface VoiceAgentOptions {
52
+ /** WebSocket URL of the voice daemon. Default: ws://127.0.0.1:9410 */
53
+ url?: string;
54
+ /** Client ID for identification. */
55
+ clientId?: string;
56
+ /** Client type for identification. */
57
+ clientType?: "overlay" | "cli" | "ide" | "web" | "other";
58
+ /** Automatically reconnect on disconnect. Default: true */
59
+ autoReconnect?: boolean;
60
+ /** Reconnect delay in milliseconds. Default: 2000 */
61
+ reconnectDelay?: number;
62
+ }
63
+
64
+ /**
65
+ * Client SDK for connecting to the codmir voice daemon.
66
+ *
67
+ * @example
68
+ * ```typescript
69
+ * import { VoiceAgent } from '@codmir/voice-agent';
70
+ *
71
+ * const agent = new VoiceAgent({ clientId: 'my-app', clientType: 'web' });
72
+ *
73
+ * agent.on('wake', (wakeword) => {
74
+ * console.log('Wake word detected:', wakeword);
75
+ * });
76
+ *
77
+ * agent.on('stateChange', (state, prev) => {
78
+ * console.log('State changed:', prev, '->', state);
79
+ * });
80
+ *
81
+ * await agent.connect();
82
+ * ```
83
+ */
84
+ declare class VoiceAgent {
85
+ private readonly options;
86
+ private ws;
87
+ private connected;
88
+ private reconnecting;
89
+ private listeners;
90
+ constructor(options?: VoiceAgentOptions);
91
+ /**
92
+ * Connect to the voice daemon.
93
+ */
94
+ connect(): Promise<void>;
95
+ /**
96
+ * Disconnect from the voice daemon.
97
+ */
98
+ disconnect(): void;
99
+ /**
100
+ * Check if connected to the daemon.
101
+ */
102
+ isConnected(): boolean;
103
+ /**
104
+ * Register an event listener.
105
+ */
106
+ on<K extends keyof VoiceAgentEvents>(event: K, callback: VoiceAgentEvents[K]): () => void;
107
+ /**
108
+ * Execute a command on the daemon.
109
+ */
110
+ executeCommand(command: CodmirCommand): Promise<void>;
111
+ /**
112
+ * Mute the voice assistant.
113
+ */
114
+ mute(): void;
115
+ /**
116
+ * Unmute the voice assistant.
117
+ */
118
+ unmute(): void;
119
+ /**
120
+ * Ping the daemon.
121
+ */
122
+ ping(): void;
123
+ /**
124
+ * Simulate a wake word detection (for testing).
125
+ */
126
+ simulateWake(wakeword?: string): void;
127
+ private sendIdentify;
128
+ private send;
129
+ private handleMessage;
130
+ private emit;
131
+ private scheduleReconnect;
132
+ }
133
+
134
+ export { type AssistantState, type CodmirCommand, VoiceAgent, type VoiceAgentEvents, type VoiceAgentOptions, VoiceAgent as default };
@@ -0,0 +1,134 @@
1
+ /**
2
+ * Voice assistant states.
3
+ */
4
+ type AssistantState = "idle" | "listening" | "thinking" | "speaking" | "error";
5
+ /**
6
+ * Command types that can be executed by the voice daemon.
7
+ */
8
+ type CodmirCommand = {
9
+ type: "open_app";
10
+ name: string;
11
+ } | {
12
+ type: "open_url";
13
+ url: string;
14
+ } | {
15
+ type: "focus_window";
16
+ titleContains: string;
17
+ } | {
18
+ type: "type_text";
19
+ text: string;
20
+ } | {
21
+ type: "press_key";
22
+ key: string;
23
+ } | {
24
+ type: "click";
25
+ button?: number;
26
+ } | {
27
+ type: "scroll";
28
+ direction: "up" | "down";
29
+ amount?: number;
30
+ } | {
31
+ type: "speak";
32
+ text: string;
33
+ voice?: string;
34
+ };
35
+ /**
36
+ * Events emitted by the voice agent.
37
+ */
38
+ interface VoiceAgentEvents {
39
+ connected: () => void;
40
+ disconnected: () => void;
41
+ wake: (wakeword: string) => void;
42
+ stateChange: (state: AssistantState, previousState: AssistantState) => void;
43
+ transcript: (text: string, isFinal: boolean) => void;
44
+ response: (text: string, commands?: CodmirCommand[]) => void;
45
+ commandExecuted: (command: CodmirCommand, success: boolean, error?: string) => void;
46
+ error: (message: string, code?: string) => void;
47
+ }
48
+ /**
49
+ * Configuration options for the voice agent.
50
+ */
51
+ interface VoiceAgentOptions {
52
+ /** WebSocket URL of the voice daemon. Default: ws://127.0.0.1:9410 */
53
+ url?: string;
54
+ /** Client ID for identification. */
55
+ clientId?: string;
56
+ /** Client type for identification. */
57
+ clientType?: "overlay" | "cli" | "ide" | "web" | "other";
58
+ /** Automatically reconnect on disconnect. Default: true */
59
+ autoReconnect?: boolean;
60
+ /** Reconnect delay in milliseconds. Default: 2000 */
61
+ reconnectDelay?: number;
62
+ }
63
+
64
+ /**
65
+ * Client SDK for connecting to the codmir voice daemon.
66
+ *
67
+ * @example
68
+ * ```typescript
69
+ * import { VoiceAgent } from '@codmir/voice-agent';
70
+ *
71
+ * const agent = new VoiceAgent({ clientId: 'my-app', clientType: 'web' });
72
+ *
73
+ * agent.on('wake', (wakeword) => {
74
+ * console.log('Wake word detected:', wakeword);
75
+ * });
76
+ *
77
+ * agent.on('stateChange', (state, prev) => {
78
+ * console.log('State changed:', prev, '->', state);
79
+ * });
80
+ *
81
+ * await agent.connect();
82
+ * ```
83
+ */
84
+ declare class VoiceAgent {
85
+ private readonly options;
86
+ private ws;
87
+ private connected;
88
+ private reconnecting;
89
+ private listeners;
90
+ constructor(options?: VoiceAgentOptions);
91
+ /**
92
+ * Connect to the voice daemon.
93
+ */
94
+ connect(): Promise<void>;
95
+ /**
96
+ * Disconnect from the voice daemon.
97
+ */
98
+ disconnect(): void;
99
+ /**
100
+ * Check if connected to the daemon.
101
+ */
102
+ isConnected(): boolean;
103
+ /**
104
+ * Register an event listener.
105
+ */
106
+ on<K extends keyof VoiceAgentEvents>(event: K, callback: VoiceAgentEvents[K]): () => void;
107
+ /**
108
+ * Execute a command on the daemon.
109
+ */
110
+ executeCommand(command: CodmirCommand): Promise<void>;
111
+ /**
112
+ * Mute the voice assistant.
113
+ */
114
+ mute(): void;
115
+ /**
116
+ * Unmute the voice assistant.
117
+ */
118
+ unmute(): void;
119
+ /**
120
+ * Ping the daemon.
121
+ */
122
+ ping(): void;
123
+ /**
124
+ * Simulate a wake word detection (for testing).
125
+ */
126
+ simulateWake(wakeword?: string): void;
127
+ private sendIdentify;
128
+ private send;
129
+ private handleMessage;
130
+ private emit;
131
+ private scheduleReconnect;
132
+ }
133
+
134
+ export { type AssistantState, type CodmirCommand, VoiceAgent, type VoiceAgentEvents, type VoiceAgentOptions, VoiceAgent as default };
@@ -0,0 +1,220 @@
1
+ "use strict";
2
+ var __create = Object.create;
3
+ var __defProp = Object.defineProperty;
4
+ var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
5
+ var __getOwnPropNames = Object.getOwnPropertyNames;
6
+ var __getProtoOf = Object.getPrototypeOf;
7
+ var __hasOwnProp = Object.prototype.hasOwnProperty;
8
+ var __export = (target, all) => {
9
+ for (var name in all)
10
+ __defProp(target, name, { get: all[name], enumerable: true });
11
+ };
12
+ var __copyProps = (to, from, except, desc) => {
13
+ if (from && typeof from === "object" || typeof from === "function") {
14
+ for (let key of __getOwnPropNames(from))
15
+ if (!__hasOwnProp.call(to, key) && key !== except)
16
+ __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
17
+ }
18
+ return to;
19
+ };
20
+ var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps(
21
+ // If the importer is in node compatibility mode or this is not an ESM
22
+ // file that has been converted to a CommonJS file using a Babel-
23
+ // compatible transform (i.e. "__esModule" has not been set), then set
24
+ // "default" to the CommonJS "module.exports" for node compatibility.
25
+ isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target,
26
+ mod
27
+ ));
28
+ var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
29
+
30
+ // src/voice-agent/index.ts
31
+ var voice_agent_exports = {};
32
+ __export(voice_agent_exports, {
33
+ VoiceAgent: () => VoiceAgent,
34
+ default: () => voice_agent_default
35
+ });
36
+ module.exports = __toCommonJS(voice_agent_exports);
37
+ var import_ws = __toESM(require("ws"));
38
+ var DEFAULT_OPTIONS = {
39
+ url: "ws://127.0.0.1:9410",
40
+ clientId: "sdk-client",
41
+ clientType: "other",
42
+ autoReconnect: true,
43
+ reconnectDelay: 2e3
44
+ };
45
+ var VoiceAgent = class {
46
+ constructor(options = {}) {
47
+ this.ws = null;
48
+ this.connected = false;
49
+ this.reconnecting = false;
50
+ this.listeners = /* @__PURE__ */ new Map();
51
+ this.options = { ...DEFAULT_OPTIONS, ...options };
52
+ }
53
+ /**
54
+ * Connect to the voice daemon.
55
+ */
56
+ async connect() {
57
+ if (this.connected) return;
58
+ return new Promise((resolve, reject) => {
59
+ try {
60
+ this.ws = new import_ws.default(this.options.url);
61
+ this.ws.on("open", () => {
62
+ this.connected = true;
63
+ this.reconnecting = false;
64
+ this.sendIdentify();
65
+ this.emit("connected");
66
+ resolve();
67
+ });
68
+ this.ws.on("message", (data) => {
69
+ this.handleMessage(data.toString("utf8"));
70
+ });
71
+ this.ws.on("close", () => {
72
+ this.connected = false;
73
+ this.emit("disconnected");
74
+ if (this.options.autoReconnect && !this.reconnecting) {
75
+ this.scheduleReconnect();
76
+ }
77
+ });
78
+ this.ws.on("error", (err) => {
79
+ if (!this.connected) {
80
+ reject(err);
81
+ } else {
82
+ this.emit("error", err.message);
83
+ }
84
+ });
85
+ } catch (err) {
86
+ reject(err);
87
+ }
88
+ });
89
+ }
90
+ /**
91
+ * Disconnect from the voice daemon.
92
+ */
93
+ disconnect() {
94
+ this.reconnecting = false;
95
+ if (this.ws) {
96
+ this.ws.close();
97
+ this.ws = null;
98
+ }
99
+ this.connected = false;
100
+ }
101
+ /**
102
+ * Check if connected to the daemon.
103
+ */
104
+ isConnected() {
105
+ return this.connected;
106
+ }
107
+ /**
108
+ * Register an event listener.
109
+ */
110
+ on(event, callback) {
111
+ if (!this.listeners.has(event)) {
112
+ this.listeners.set(event, /* @__PURE__ */ new Set());
113
+ }
114
+ const callbacks = this.listeners.get(event);
115
+ callbacks.add(callback);
116
+ return () => {
117
+ callbacks.delete(callback);
118
+ };
119
+ }
120
+ /**
121
+ * Execute a command on the daemon.
122
+ */
123
+ async executeCommand(command) {
124
+ this.send({ type: "execute_command", command });
125
+ }
126
+ /**
127
+ * Mute the voice assistant.
128
+ */
129
+ mute() {
130
+ this.send({ type: "mute" });
131
+ }
132
+ /**
133
+ * Unmute the voice assistant.
134
+ */
135
+ unmute() {
136
+ this.send({ type: "unmute" });
137
+ }
138
+ /**
139
+ * Ping the daemon.
140
+ */
141
+ ping() {
142
+ this.send({ type: "ping", timestamp: (/* @__PURE__ */ new Date()).toISOString() });
143
+ }
144
+ /**
145
+ * Simulate a wake word detection (for testing).
146
+ */
147
+ simulateWake(wakeword = "codmir") {
148
+ this.send({ type: "wake_detected", wakeword, timestamp: (/* @__PURE__ */ new Date()).toISOString() });
149
+ }
150
+ sendIdentify() {
151
+ this.send({
152
+ type: "identify",
153
+ clientId: this.options.clientId,
154
+ clientType: this.options.clientType,
155
+ version: "0.1.0"
156
+ });
157
+ }
158
+ send(message) {
159
+ if (this.ws && this.ws.readyState === import_ws.default.OPEN) {
160
+ this.ws.send(JSON.stringify(message));
161
+ }
162
+ }
163
+ handleMessage(raw) {
164
+ let msg;
165
+ try {
166
+ msg = JSON.parse(raw);
167
+ } catch {
168
+ return;
169
+ }
170
+ switch (msg.type) {
171
+ case "daemon_started":
172
+ break;
173
+ case "pong":
174
+ break;
175
+ case "state_change":
176
+ this.emit("stateChange", msg.state, msg.previousState);
177
+ break;
178
+ case "wake":
179
+ this.emit("wake", msg.wakeword);
180
+ break;
181
+ case "transcript":
182
+ this.emit("transcript", msg.text, msg.isFinal);
183
+ break;
184
+ case "response":
185
+ this.emit("response", msg.text, msg.commands);
186
+ break;
187
+ case "command_executed":
188
+ this.emit("commandExecuted", msg.command, msg.success, msg.error);
189
+ break;
190
+ case "error":
191
+ this.emit("error", msg.message, msg.code);
192
+ break;
193
+ }
194
+ }
195
+ emit(event, ...args) {
196
+ const callbacks = this.listeners.get(event);
197
+ if (!callbacks) return;
198
+ for (const cb of callbacks) {
199
+ try {
200
+ cb(...args);
201
+ } catch (err) {
202
+ console.error(`Error in ${event} listener:`, err);
203
+ }
204
+ }
205
+ }
206
+ scheduleReconnect() {
207
+ this.reconnecting = true;
208
+ setTimeout(() => {
209
+ if (this.reconnecting) {
210
+ this.connect().catch(() => {
211
+ });
212
+ }
213
+ }, this.options.reconnectDelay);
214
+ }
215
+ };
216
+ var voice_agent_default = VoiceAgent;
217
+ // Annotate the CommonJS export names for ESM import in node:
218
+ 0 && (module.exports = {
219
+ VoiceAgent
220
+ });
@@ -0,0 +1,187 @@
1
+ import "../chunk-EBO3CZXG.mjs";
2
+
3
+ // src/voice-agent/index.ts
4
+ import WebSocket from "ws";
5
+ var DEFAULT_OPTIONS = {
6
+ url: "ws://127.0.0.1:9410",
7
+ clientId: "sdk-client",
8
+ clientType: "other",
9
+ autoReconnect: true,
10
+ reconnectDelay: 2e3
11
+ };
12
+ var VoiceAgent = class {
13
+ constructor(options = {}) {
14
+ this.ws = null;
15
+ this.connected = false;
16
+ this.reconnecting = false;
17
+ this.listeners = /* @__PURE__ */ new Map();
18
+ this.options = { ...DEFAULT_OPTIONS, ...options };
19
+ }
20
+ /**
21
+ * Connect to the voice daemon.
22
+ */
23
+ async connect() {
24
+ if (this.connected) return;
25
+ return new Promise((resolve, reject) => {
26
+ try {
27
+ this.ws = new WebSocket(this.options.url);
28
+ this.ws.on("open", () => {
29
+ this.connected = true;
30
+ this.reconnecting = false;
31
+ this.sendIdentify();
32
+ this.emit("connected");
33
+ resolve();
34
+ });
35
+ this.ws.on("message", (data) => {
36
+ this.handleMessage(data.toString("utf8"));
37
+ });
38
+ this.ws.on("close", () => {
39
+ this.connected = false;
40
+ this.emit("disconnected");
41
+ if (this.options.autoReconnect && !this.reconnecting) {
42
+ this.scheduleReconnect();
43
+ }
44
+ });
45
+ this.ws.on("error", (err) => {
46
+ if (!this.connected) {
47
+ reject(err);
48
+ } else {
49
+ this.emit("error", err.message);
50
+ }
51
+ });
52
+ } catch (err) {
53
+ reject(err);
54
+ }
55
+ });
56
+ }
57
+ /**
58
+ * Disconnect from the voice daemon.
59
+ */
60
+ disconnect() {
61
+ this.reconnecting = false;
62
+ if (this.ws) {
63
+ this.ws.close();
64
+ this.ws = null;
65
+ }
66
+ this.connected = false;
67
+ }
68
+ /**
69
+ * Check if connected to the daemon.
70
+ */
71
+ isConnected() {
72
+ return this.connected;
73
+ }
74
+ /**
75
+ * Register an event listener.
76
+ */
77
+ on(event, callback) {
78
+ if (!this.listeners.has(event)) {
79
+ this.listeners.set(event, /* @__PURE__ */ new Set());
80
+ }
81
+ const callbacks = this.listeners.get(event);
82
+ callbacks.add(callback);
83
+ return () => {
84
+ callbacks.delete(callback);
85
+ };
86
+ }
87
+ /**
88
+ * Execute a command on the daemon.
89
+ */
90
+ async executeCommand(command) {
91
+ this.send({ type: "execute_command", command });
92
+ }
93
+ /**
94
+ * Mute the voice assistant.
95
+ */
96
+ mute() {
97
+ this.send({ type: "mute" });
98
+ }
99
+ /**
100
+ * Unmute the voice assistant.
101
+ */
102
+ unmute() {
103
+ this.send({ type: "unmute" });
104
+ }
105
+ /**
106
+ * Ping the daemon.
107
+ */
108
+ ping() {
109
+ this.send({ type: "ping", timestamp: (/* @__PURE__ */ new Date()).toISOString() });
110
+ }
111
+ /**
112
+ * Simulate a wake word detection (for testing).
113
+ */
114
+ simulateWake(wakeword = "codmir") {
115
+ this.send({ type: "wake_detected", wakeword, timestamp: (/* @__PURE__ */ new Date()).toISOString() });
116
+ }
117
+ sendIdentify() {
118
+ this.send({
119
+ type: "identify",
120
+ clientId: this.options.clientId,
121
+ clientType: this.options.clientType,
122
+ version: "0.1.0"
123
+ });
124
+ }
125
+ send(message) {
126
+ if (this.ws && this.ws.readyState === WebSocket.OPEN) {
127
+ this.ws.send(JSON.stringify(message));
128
+ }
129
+ }
130
+ handleMessage(raw) {
131
+ let msg;
132
+ try {
133
+ msg = JSON.parse(raw);
134
+ } catch {
135
+ return;
136
+ }
137
+ switch (msg.type) {
138
+ case "daemon_started":
139
+ break;
140
+ case "pong":
141
+ break;
142
+ case "state_change":
143
+ this.emit("stateChange", msg.state, msg.previousState);
144
+ break;
145
+ case "wake":
146
+ this.emit("wake", msg.wakeword);
147
+ break;
148
+ case "transcript":
149
+ this.emit("transcript", msg.text, msg.isFinal);
150
+ break;
151
+ case "response":
152
+ this.emit("response", msg.text, msg.commands);
153
+ break;
154
+ case "command_executed":
155
+ this.emit("commandExecuted", msg.command, msg.success, msg.error);
156
+ break;
157
+ case "error":
158
+ this.emit("error", msg.message, msg.code);
159
+ break;
160
+ }
161
+ }
162
+ emit(event, ...args) {
163
+ const callbacks = this.listeners.get(event);
164
+ if (!callbacks) return;
165
+ for (const cb of callbacks) {
166
+ try {
167
+ cb(...args);
168
+ } catch (err) {
169
+ console.error(`Error in ${event} listener:`, err);
170
+ }
171
+ }
172
+ }
173
+ scheduleReconnect() {
174
+ this.reconnecting = true;
175
+ setTimeout(() => {
176
+ if (this.reconnecting) {
177
+ this.connect().catch(() => {
178
+ });
179
+ }
180
+ }, this.options.reconnectDelay);
181
+ }
182
+ };
183
+ var voice_agent_default = VoiceAgent;
184
+ export {
185
+ VoiceAgent,
186
+ voice_agent_default as default
187
+ };