@mmapp/react-compiler 0.1.0-alpha.15 → 0.1.0-alpha.16
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/chunk-GVCJJX7E.mjs +891 -0
- package/dist/cli/index.js +92 -1
- package/dist/cli/index.mjs +2 -1
- package/dist/dev-server.js +90 -0
- package/dist/dev-server.mjs +1 -1
- package/dist/index.js +90 -0
- package/dist/index.mjs +1 -1
- package/package.json +2 -2
|
@@ -0,0 +1,891 @@
|
|
|
1
|
+
import {
|
|
2
|
+
mindmatrixReact
|
|
3
|
+
} from "./chunk-BZEXUPDH.mjs";
|
|
4
|
+
import {
|
|
5
|
+
build
|
|
6
|
+
} from "./chunk-DNWDIPH2.mjs";
|
|
7
|
+
|
|
8
|
+
// src/cli/local-server.ts
|
|
9
|
+
import * as http from "http";
|
|
10
|
+
import { randomUUID } from "crypto";
|
|
11
|
+
var MemoryStore = class {
|
|
12
|
+
constructor() {
|
|
13
|
+
this.definitions = /* @__PURE__ */ new Map();
|
|
14
|
+
this.instances = /* @__PURE__ */ new Map();
|
|
15
|
+
this.slugIndex = /* @__PURE__ */ new Map();
|
|
16
|
+
}
|
|
17
|
+
// slug → id
|
|
18
|
+
// ── Definitions ──────────────────────────────────────────────────────
|
|
19
|
+
createDefinition(input) {
|
|
20
|
+
if (this.slugIndex.has(input.slug)) {
|
|
21
|
+
const existing = this.definitions.get(this.slugIndex.get(input.slug));
|
|
22
|
+
if (existing) return existing;
|
|
23
|
+
}
|
|
24
|
+
const now = (/* @__PURE__ */ new Date()).toISOString();
|
|
25
|
+
const def = {
|
|
26
|
+
id: input.id ?? randomUUID(),
|
|
27
|
+
slug: input.slug,
|
|
28
|
+
name: input.name,
|
|
29
|
+
version: input.version ?? "1.0.0",
|
|
30
|
+
description: input.description ?? null,
|
|
31
|
+
category: input.category ?? "workflow",
|
|
32
|
+
fields: input.fields ?? [],
|
|
33
|
+
states: input.states ?? [],
|
|
34
|
+
transitions: input.transitions ?? [],
|
|
35
|
+
roles: input.roles ?? [],
|
|
36
|
+
experience: input.experience ?? null,
|
|
37
|
+
metadata: input.metadata ?? {},
|
|
38
|
+
child_definitions: input.child_definitions ?? [],
|
|
39
|
+
is_immutable: input.is_immutable ?? false,
|
|
40
|
+
tags: input.tags ?? [],
|
|
41
|
+
inline_tags: input.inline_tags ?? [],
|
|
42
|
+
created_at: now,
|
|
43
|
+
updated_at: now
|
|
44
|
+
};
|
|
45
|
+
this.definitions.set(def.id, def);
|
|
46
|
+
this.slugIndex.set(def.slug, def.id);
|
|
47
|
+
return def;
|
|
48
|
+
}
|
|
49
|
+
getDefinition(idOrSlug) {
|
|
50
|
+
const byId = this.definitions.get(idOrSlug);
|
|
51
|
+
if (byId) return byId;
|
|
52
|
+
const id = this.slugIndex.get(idOrSlug);
|
|
53
|
+
if (id) return this.definitions.get(id);
|
|
54
|
+
return void 0;
|
|
55
|
+
}
|
|
56
|
+
listDefinitions(opts) {
|
|
57
|
+
let items = Array.from(this.definitions.values());
|
|
58
|
+
if (opts?.category) {
|
|
59
|
+
items = items.filter((d) => d.category === opts.category);
|
|
60
|
+
}
|
|
61
|
+
const total = items.length;
|
|
62
|
+
const offset = opts?.offset ?? 0;
|
|
63
|
+
const limit = opts?.limit ?? 50;
|
|
64
|
+
items = items.slice(offset, offset + limit);
|
|
65
|
+
return { items, total };
|
|
66
|
+
}
|
|
67
|
+
patchDefinition(id, patch) {
|
|
68
|
+
const def = this.definitions.get(id);
|
|
69
|
+
if (!def) return void 0;
|
|
70
|
+
Object.assign(def, patch, { updated_at: (/* @__PURE__ */ new Date()).toISOString() });
|
|
71
|
+
return def;
|
|
72
|
+
}
|
|
73
|
+
deleteDefinition(id) {
|
|
74
|
+
const def = this.definitions.get(id);
|
|
75
|
+
if (!def) return false;
|
|
76
|
+
this.slugIndex.delete(def.slug);
|
|
77
|
+
this.definitions.delete(id);
|
|
78
|
+
return true;
|
|
79
|
+
}
|
|
80
|
+
// ── Instances ────────────────────────────────────────────────────────
|
|
81
|
+
createInstance(input) {
|
|
82
|
+
const def = this.getDefinition(input.definition_id) ?? this.getDefinition(input.definition_slug);
|
|
83
|
+
if (!def) return null;
|
|
84
|
+
const initialState = def.states.find((s) => s.type === "START" || s.type === "initial");
|
|
85
|
+
const stateName = initialState?.name ?? "initial";
|
|
86
|
+
const stateData = {};
|
|
87
|
+
for (const field of def.fields) {
|
|
88
|
+
if (field.default_value !== void 0) {
|
|
89
|
+
stateData[field.name] = field.default_value;
|
|
90
|
+
}
|
|
91
|
+
}
|
|
92
|
+
Object.assign(stateData, input.state_data ?? {});
|
|
93
|
+
const now = (/* @__PURE__ */ new Date()).toISOString();
|
|
94
|
+
const inst = {
|
|
95
|
+
id: randomUUID(),
|
|
96
|
+
definition_id: def.id,
|
|
97
|
+
definition_slug: def.slug,
|
|
98
|
+
current_state: stateName,
|
|
99
|
+
state_data: stateData,
|
|
100
|
+
execution_lock_version: 0,
|
|
101
|
+
event_log: [{
|
|
102
|
+
event_type: "transition",
|
|
103
|
+
message: `Instance created in state '${stateName}'`,
|
|
104
|
+
timestamp: now
|
|
105
|
+
}],
|
|
106
|
+
created_at: now,
|
|
107
|
+
updated_at: now
|
|
108
|
+
};
|
|
109
|
+
this.instances.set(inst.id, inst);
|
|
110
|
+
return inst;
|
|
111
|
+
}
|
|
112
|
+
getInstance(id) {
|
|
113
|
+
return this.instances.get(id);
|
|
114
|
+
}
|
|
115
|
+
listInstances(opts) {
|
|
116
|
+
let items = Array.from(this.instances.values());
|
|
117
|
+
if (opts?.definition_id) {
|
|
118
|
+
items = items.filter((i) => i.definition_id === opts.definition_id);
|
|
119
|
+
}
|
|
120
|
+
const total = items.length;
|
|
121
|
+
const offset = opts?.offset ?? 0;
|
|
122
|
+
const limit = opts?.limit ?? 50;
|
|
123
|
+
items = items.slice(offset, offset + limit);
|
|
124
|
+
return { items, total };
|
|
125
|
+
}
|
|
126
|
+
// ── Execute Action (Transition) ──────────────────────────────────────
|
|
127
|
+
executeAction(input) {
|
|
128
|
+
const def = this.getDefinition(input.definition_id);
|
|
129
|
+
if (!def) return { success: false, error: "Definition not found" };
|
|
130
|
+
let inst;
|
|
131
|
+
if (input.instance_id) {
|
|
132
|
+
const existing = this.instances.get(input.instance_id);
|
|
133
|
+
if (!existing) return { success: false, error: "Instance not found" };
|
|
134
|
+
inst = existing;
|
|
135
|
+
} else {
|
|
136
|
+
const created = this.createInstance({
|
|
137
|
+
definition_id: def.id,
|
|
138
|
+
definition_slug: def.slug,
|
|
139
|
+
state_data: input.payload
|
|
140
|
+
});
|
|
141
|
+
if (!created) return { success: false, error: "Failed to create instance" };
|
|
142
|
+
inst = created;
|
|
143
|
+
}
|
|
144
|
+
if (input.payload && input.instance_id) {
|
|
145
|
+
Object.assign(inst.state_data, input.payload);
|
|
146
|
+
}
|
|
147
|
+
const transition = def.transitions.find((t) => t.name === input.action_name && t.from.includes(inst.current_state));
|
|
148
|
+
if (!transition) {
|
|
149
|
+
return {
|
|
150
|
+
success: false,
|
|
151
|
+
instance_id: inst.id,
|
|
152
|
+
from_state: inst.current_state,
|
|
153
|
+
to_state: null,
|
|
154
|
+
state_data: inst.state_data,
|
|
155
|
+
error: `No transition '${input.action_name}' from state '${inst.current_state}'`
|
|
156
|
+
};
|
|
157
|
+
}
|
|
158
|
+
const fromState = inst.current_state;
|
|
159
|
+
const now = (/* @__PURE__ */ new Date()).toISOString();
|
|
160
|
+
const events = [];
|
|
161
|
+
let lastEvalResult = null;
|
|
162
|
+
events.push({ event_type: "transition", message: `Transition '${transition.name}' started: ${fromState} \u2192 ${transition.to}`, timestamp: now });
|
|
163
|
+
for (const action of transition.actions ?? []) {
|
|
164
|
+
try {
|
|
165
|
+
if (action.type === "set_field") {
|
|
166
|
+
const field = action.config?.field;
|
|
167
|
+
if (action.config?.expression) {
|
|
168
|
+
const expr = action.config.expression;
|
|
169
|
+
const result = this.evaluateSimpleExpression(expr, inst.state_data);
|
|
170
|
+
inst.state_data[field] = result;
|
|
171
|
+
} else if (action.config?.value !== void 0) {
|
|
172
|
+
inst.state_data[field] = action.config.value;
|
|
173
|
+
}
|
|
174
|
+
events.push({ event_type: "action_executed", message: `transition action 'set_field' succeeded`, timestamp: now });
|
|
175
|
+
} else if (action.type === "eval") {
|
|
176
|
+
const expr = action.config?.expression;
|
|
177
|
+
lastEvalResult = this.evaluateSimpleExpression(expr, inst.state_data);
|
|
178
|
+
events.push({ event_type: "action_executed", message: `transition action 'eval' succeeded`, timestamp: now });
|
|
179
|
+
} else {
|
|
180
|
+
events.push({ event_type: "action_executed", message: `transition action '${action.type}' succeeded (no-op in local mode)`, timestamp: now });
|
|
181
|
+
}
|
|
182
|
+
} catch (err) {
|
|
183
|
+
const msg = err instanceof Error ? err.message : String(err);
|
|
184
|
+
events.push({ event_type: "action_failed", message: `transition action '${action.type}' failed: ${msg}`, timestamp: now });
|
|
185
|
+
return {
|
|
186
|
+
success: false,
|
|
187
|
+
instance_id: inst.id,
|
|
188
|
+
from_state: fromState,
|
|
189
|
+
to_state: null,
|
|
190
|
+
state_data: inst.state_data,
|
|
191
|
+
event_log: events,
|
|
192
|
+
error: `transition action failed: ${msg}`
|
|
193
|
+
};
|
|
194
|
+
}
|
|
195
|
+
}
|
|
196
|
+
inst.current_state = transition.to;
|
|
197
|
+
inst.execution_lock_version++;
|
|
198
|
+
inst.updated_at = now;
|
|
199
|
+
events.push({ event_type: "transition", message: `State changed: ${fromState} \u2192 ${transition.to}`, timestamp: now });
|
|
200
|
+
inst.event_log.push(...events);
|
|
201
|
+
return {
|
|
202
|
+
success: true,
|
|
203
|
+
instance_id: inst.id,
|
|
204
|
+
from_state: fromState,
|
|
205
|
+
to_state: transition.to,
|
|
206
|
+
state_data: inst.state_data,
|
|
207
|
+
result: lastEvalResult,
|
|
208
|
+
event_log: events
|
|
209
|
+
};
|
|
210
|
+
}
|
|
211
|
+
/**
|
|
212
|
+
* Minimal expression evaluator for local dev mode.
|
|
213
|
+
* Handles: field references, arithmetic, string literals, simple comparisons.
|
|
214
|
+
* Does NOT handle: while loops, if/else, function calls, multi-statement blocks.
|
|
215
|
+
* For full evaluation, use mm-napi when available.
|
|
216
|
+
*/
|
|
217
|
+
evaluateSimpleExpression(expr, context) {
|
|
218
|
+
if (context[expr] !== void 0) return context[expr];
|
|
219
|
+
const arithMatch = expr.match(/^(\w+)\s*([+\-*/])\s*(\d+(?:\.\d+)?)$/);
|
|
220
|
+
if (arithMatch) {
|
|
221
|
+
const [, field, op, numStr] = arithMatch;
|
|
222
|
+
const left = Number(context[field] ?? 0);
|
|
223
|
+
const right = Number(numStr);
|
|
224
|
+
switch (op) {
|
|
225
|
+
case "+":
|
|
226
|
+
return left + right;
|
|
227
|
+
case "-":
|
|
228
|
+
return left - right;
|
|
229
|
+
case "*":
|
|
230
|
+
return left * right;
|
|
231
|
+
case "/":
|
|
232
|
+
return right !== 0 ? left / right : 0;
|
|
233
|
+
}
|
|
234
|
+
}
|
|
235
|
+
if (/^\d+(\.\d+)?$/.test(expr.trim())) {
|
|
236
|
+
return Number(expr.trim());
|
|
237
|
+
}
|
|
238
|
+
const strMatch = expr.match(/^["'](.*)["']$/);
|
|
239
|
+
if (strMatch) return strMatch[1];
|
|
240
|
+
try {
|
|
241
|
+
const keys = Object.keys(context);
|
|
242
|
+
const values = Object.values(context);
|
|
243
|
+
const fn = new Function(...keys, `"use strict"; return (${expr});`);
|
|
244
|
+
return fn(...values);
|
|
245
|
+
} catch {
|
|
246
|
+
return null;
|
|
247
|
+
}
|
|
248
|
+
}
|
|
249
|
+
};
|
|
250
|
+
async function startLocalServer(options = {}) {
|
|
251
|
+
const { port = 4200, noAuth = true } = options;
|
|
252
|
+
const store = new MemoryStore();
|
|
253
|
+
const startedAt = (/* @__PURE__ */ new Date()).toISOString();
|
|
254
|
+
function json(res, status, body) {
|
|
255
|
+
const data = JSON.stringify(body);
|
|
256
|
+
res.writeHead(status, {
|
|
257
|
+
"Content-Type": "application/json",
|
|
258
|
+
"Access-Control-Allow-Origin": "*",
|
|
259
|
+
"Access-Control-Allow-Methods": "GET, POST, PATCH, PUT, DELETE, OPTIONS",
|
|
260
|
+
"Access-Control-Allow-Headers": "Content-Type, Authorization",
|
|
261
|
+
"Content-Length": Buffer.byteLength(data)
|
|
262
|
+
});
|
|
263
|
+
res.end(data);
|
|
264
|
+
}
|
|
265
|
+
function readBody(req) {
|
|
266
|
+
return new Promise((resolve, reject) => {
|
|
267
|
+
const chunks = [];
|
|
268
|
+
req.on("data", (chunk) => chunks.push(chunk));
|
|
269
|
+
req.on("end", () => resolve(Buffer.concat(chunks).toString()));
|
|
270
|
+
req.on("error", reject);
|
|
271
|
+
});
|
|
272
|
+
}
|
|
273
|
+
function parseQuery(url) {
|
|
274
|
+
const idx = url.indexOf("?");
|
|
275
|
+
if (idx === -1) return {};
|
|
276
|
+
const params = {};
|
|
277
|
+
const qs = url.slice(idx + 1);
|
|
278
|
+
for (const pair of qs.split("&")) {
|
|
279
|
+
const [k, v] = pair.split("=");
|
|
280
|
+
if (k) params[decodeURIComponent(k)] = decodeURIComponent(v ?? "");
|
|
281
|
+
}
|
|
282
|
+
return params;
|
|
283
|
+
}
|
|
284
|
+
const server = http.createServer(async (req, res) => {
|
|
285
|
+
const method = req.method?.toUpperCase() ?? "GET";
|
|
286
|
+
const rawUrl = req.url ?? "/";
|
|
287
|
+
const queryStart = rawUrl.indexOf("?");
|
|
288
|
+
const path = queryStart >= 0 ? rawUrl.slice(0, queryStart) : rawUrl;
|
|
289
|
+
const query = parseQuery(rawUrl);
|
|
290
|
+
if (method === "OPTIONS") {
|
|
291
|
+
res.writeHead(204, {
|
|
292
|
+
"Access-Control-Allow-Origin": "*",
|
|
293
|
+
"Access-Control-Allow-Methods": "GET, POST, PATCH, PUT, DELETE, OPTIONS",
|
|
294
|
+
"Access-Control-Allow-Headers": "Content-Type, Authorization",
|
|
295
|
+
"Access-Control-Max-Age": "86400"
|
|
296
|
+
});
|
|
297
|
+
res.end();
|
|
298
|
+
return;
|
|
299
|
+
}
|
|
300
|
+
try {
|
|
301
|
+
if (path === "/health" && method === "GET") {
|
|
302
|
+
return json(res, 200, {
|
|
303
|
+
status: "ok",
|
|
304
|
+
service: "mm-local-dev",
|
|
305
|
+
mode: "in-memory",
|
|
306
|
+
started_at: startedAt,
|
|
307
|
+
definitions: store.definitions.size,
|
|
308
|
+
instances: store.instances.size
|
|
309
|
+
});
|
|
310
|
+
}
|
|
311
|
+
if (path === "/api/v1/auth/login" && (method === "POST" || method === "GET")) {
|
|
312
|
+
return json(res, 200, {
|
|
313
|
+
token: "dev-token-local",
|
|
314
|
+
user: {
|
|
315
|
+
id: "dev-user-001",
|
|
316
|
+
email: "dev@localhost",
|
|
317
|
+
role: "admin",
|
|
318
|
+
name: "Local Developer"
|
|
319
|
+
}
|
|
320
|
+
});
|
|
321
|
+
}
|
|
322
|
+
if (path === "/api/v1/workflow/definitions" && method === "GET") {
|
|
323
|
+
const result = store.listDefinitions({
|
|
324
|
+
category: query.category,
|
|
325
|
+
limit: query.limit ? parseInt(query.limit, 10) : void 0,
|
|
326
|
+
offset: query.offset ? parseInt(query.offset, 10) : void 0
|
|
327
|
+
});
|
|
328
|
+
if (query.slug) {
|
|
329
|
+
const def = store.getDefinition(query.slug);
|
|
330
|
+
return json(res, 200, { items: def ? [def] : [], total: def ? 1 : 0 });
|
|
331
|
+
}
|
|
332
|
+
return json(res, 200, result);
|
|
333
|
+
}
|
|
334
|
+
const defMatch = path.match(/^\/api\/v1\/workflow\/definitions\/([^/]+)$/);
|
|
335
|
+
if (defMatch && method === "GET") {
|
|
336
|
+
const def = store.getDefinition(defMatch[1]);
|
|
337
|
+
if (!def) return json(res, 404, { error: "Not found" });
|
|
338
|
+
return json(res, 200, def);
|
|
339
|
+
}
|
|
340
|
+
if (path === "/api/v1/workflow/definitions" && method === "POST") {
|
|
341
|
+
const body = JSON.parse(await readBody(req));
|
|
342
|
+
const def = store.createDefinition(body);
|
|
343
|
+
return json(res, 201, def);
|
|
344
|
+
}
|
|
345
|
+
if (defMatch && method === "PATCH") {
|
|
346
|
+
const body = JSON.parse(await readBody(req));
|
|
347
|
+
const updated = store.patchDefinition(defMatch[1], body);
|
|
348
|
+
if (!updated) return json(res, 404, { error: "Not found" });
|
|
349
|
+
return json(res, 200, updated);
|
|
350
|
+
}
|
|
351
|
+
if (defMatch && method === "DELETE") {
|
|
352
|
+
const deleted = store.deleteDefinition(defMatch[1]);
|
|
353
|
+
if (!deleted) return json(res, 404, { error: "Not found" });
|
|
354
|
+
return json(res, 204, null);
|
|
355
|
+
}
|
|
356
|
+
if (path === "/api/v1/workflow/instances" && method === "GET") {
|
|
357
|
+
const result = store.listInstances({
|
|
358
|
+
definition_id: query.definition_id,
|
|
359
|
+
limit: query.limit ? parseInt(query.limit, 10) : void 0,
|
|
360
|
+
offset: query.offset ? parseInt(query.offset, 10) : void 0
|
|
361
|
+
});
|
|
362
|
+
return json(res, 200, result);
|
|
363
|
+
}
|
|
364
|
+
if (path === "/api/v1/workflow/instances" && method === "POST") {
|
|
365
|
+
const body = JSON.parse(await readBody(req));
|
|
366
|
+
const inst = store.createInstance(body);
|
|
367
|
+
if (!inst) return json(res, 404, { error: "Definition not found" });
|
|
368
|
+
return json(res, 201, inst);
|
|
369
|
+
}
|
|
370
|
+
const instMatch = path.match(/^\/api\/v1\/workflow\/instances\/([^/]+)$/);
|
|
371
|
+
if (instMatch && method === "GET") {
|
|
372
|
+
const inst = store.getInstance(instMatch[1]);
|
|
373
|
+
if (!inst) return json(res, 404, { error: "Not found" });
|
|
374
|
+
return json(res, 200, inst);
|
|
375
|
+
}
|
|
376
|
+
if (path === "/api/v1/workflow/execute-action" && method === "POST") {
|
|
377
|
+
const body = JSON.parse(await readBody(req));
|
|
378
|
+
const result = store.executeAction(body);
|
|
379
|
+
return json(res, 200, result);
|
|
380
|
+
}
|
|
381
|
+
const dataMatch = path.match(/^\/api\/v1\/data\/([^/]+)$/);
|
|
382
|
+
if (dataMatch && method === "GET") {
|
|
383
|
+
const def = store.getDefinition(dataMatch[1]);
|
|
384
|
+
if (!def) return json(res, 404, { error: "Not found" });
|
|
385
|
+
const instances = store.listInstances({ definition_id: def.id });
|
|
386
|
+
return json(res, 200, instances);
|
|
387
|
+
}
|
|
388
|
+
if (path.startsWith("/api/v1/")) {
|
|
389
|
+
return json(res, 501, { error: "Not implemented in local dev mode", path, method });
|
|
390
|
+
}
|
|
391
|
+
return json(res, 404, { error: "Not found", path });
|
|
392
|
+
} catch (err) {
|
|
393
|
+
const message = err instanceof Error ? err.message : String(err);
|
|
394
|
+
console.error(`[mm-local] ${method} ${path} \u2014 Error: ${message}`);
|
|
395
|
+
return json(res, 500, { error: message });
|
|
396
|
+
}
|
|
397
|
+
});
|
|
398
|
+
return new Promise((resolve, reject) => {
|
|
399
|
+
server.on("error", (err) => {
|
|
400
|
+
if (err.code === "EADDRINUSE") {
|
|
401
|
+
reject(new Error(`Port ${port} is already in use. Is another server running?`));
|
|
402
|
+
} else {
|
|
403
|
+
reject(err);
|
|
404
|
+
}
|
|
405
|
+
});
|
|
406
|
+
server.listen(port, () => {
|
|
407
|
+
console.log(`[mm-local] Local API server running at http://localhost:${port}`);
|
|
408
|
+
console.log(`[mm-local] Mode: in-memory (data lost on restart)`);
|
|
409
|
+
console.log(`[mm-local] Auth: disabled (all requests accepted)`);
|
|
410
|
+
resolve({
|
|
411
|
+
server,
|
|
412
|
+
port,
|
|
413
|
+
store,
|
|
414
|
+
async close() {
|
|
415
|
+
return new Promise((res) => {
|
|
416
|
+
server.close(() => {
|
|
417
|
+
console.log("[mm-local] Local API server stopped");
|
|
418
|
+
res();
|
|
419
|
+
});
|
|
420
|
+
});
|
|
421
|
+
}
|
|
422
|
+
});
|
|
423
|
+
});
|
|
424
|
+
});
|
|
425
|
+
}
|
|
426
|
+
|
|
427
|
+
// src/dev-server.ts
|
|
428
|
+
var currentErrors = null;
|
|
429
|
+
function escapeHtml(s) {
|
|
430
|
+
return s.replace(/&/g, "&").replace(/</g, "<").replace(/>/g, ">").replace(/"/g, """);
|
|
431
|
+
}
|
|
432
|
+
function renderErrorOverlay(errors) {
|
|
433
|
+
const cards = errors.map((err) => {
|
|
434
|
+
const loc = err.line ? `${err.file}:${err.line}${err.column ? ":" + err.column : ""}` : err.file;
|
|
435
|
+
const snippet = err.snippet ? `<pre style="background:#1a1a2e;color:#e0e0e0;padding:12px 16px;border-radius:6px;overflow-x:auto;margin-top:8px;font-size:13px;line-height:1.5">${escapeHtml(err.snippet)}</pre>` : "";
|
|
436
|
+
return `<div style="background:#2d1b1b;border:1px solid #5c2020;border-radius:8px;padding:16px 20px;margin-bottom:12px">
|
|
437
|
+
<div style="color:#ff6b6b;font-family:monospace;font-size:13px;margin-bottom:6px">${escapeHtml(loc)}</div>
|
|
438
|
+
<div style="color:#ffa0a0;font-size:15px;font-weight:500">${escapeHtml(err.message)}</div>${snippet}</div>`;
|
|
439
|
+
}).join("\n");
|
|
440
|
+
return `<!DOCTYPE html><html lang="en"><head><meta charset="utf-8"><meta name="viewport" content="width=device-width,initial-scale=1">
|
|
441
|
+
<title>Compile Error - MindMatrix Dev</title>
|
|
442
|
+
<style>*{box-sizing:border-box;margin:0;padding:0}body{background:#1a1a2e;color:#e0e0e0;font-family:-apple-system,BlinkMacSystemFont,"Segoe UI",Roboto,sans-serif;padding:40px 20px;min-height:100vh}</style></head>
|
|
443
|
+
<body><div style="max-width:800px;margin:0 auto">
|
|
444
|
+
<div style="display:flex;align-items:center;gap:12px;margin-bottom:24px">
|
|
445
|
+
<div style="background:#5c2020;color:#ff6b6b;font-size:14px;font-weight:600;padding:4px 10px;border-radius:4px">COMPILE ERROR</div>
|
|
446
|
+
<div style="color:#888;font-size:13px">${errors.length} error${errors.length !== 1 ? "s" : ""}</div></div>
|
|
447
|
+
${cards}
|
|
448
|
+
<div style="color:#666;font-size:12px;margin-top:24px;text-align:center">Fix the error and save -- the page will reload automatically.</div></div>
|
|
449
|
+
<script>const ws=new WebSocket('ws://'+location.host+'/__mm_dev');ws.onmessage=e=>{const m=JSON.parse(e.data);if(m.type==='workflow:compiled'||m.type==='workflow:rebuild')location.reload()};ws.onclose=()=>setTimeout(()=>location.reload(),2000)</script>
|
|
450
|
+
</body></html>`;
|
|
451
|
+
}
|
|
452
|
+
function errorOverlayMiddleware() {
|
|
453
|
+
return (req, res, next) => {
|
|
454
|
+
if (!currentErrors || !req.url) return next();
|
|
455
|
+
const url = req.url;
|
|
456
|
+
if (url.startsWith("/api") || url.startsWith("/health") || url.startsWith("/ws") || url.startsWith("/__mm_dev") || url.startsWith("/@") || url.startsWith("/node_modules")) return next();
|
|
457
|
+
const accept = req.headers?.accept ?? "";
|
|
458
|
+
if (!accept.includes("text/html")) return next();
|
|
459
|
+
res.writeHead(500, { "Content-Type": "text/html; charset=utf-8" });
|
|
460
|
+
res.end(renderErrorOverlay(currentErrors));
|
|
461
|
+
};
|
|
462
|
+
}
|
|
463
|
+
async function resolveDevToken(apiUrl, explicit) {
|
|
464
|
+
if (explicit) return explicit;
|
|
465
|
+
try {
|
|
466
|
+
const { resolveToken } = await import("./auth-3UK75242.mjs");
|
|
467
|
+
const s = resolveToken(apiUrl);
|
|
468
|
+
if (s) return s;
|
|
469
|
+
} catch {
|
|
470
|
+
}
|
|
471
|
+
try {
|
|
472
|
+
const resp = await fetch(`${apiUrl}/auth/login`, {
|
|
473
|
+
method: "POST",
|
|
474
|
+
headers: { "Content-Type": "application/json" },
|
|
475
|
+
body: JSON.stringify({ email: "admin@mindmatrix.com", password: "Admin123!" })
|
|
476
|
+
});
|
|
477
|
+
if (resp.ok) {
|
|
478
|
+
const data = await resp.json();
|
|
479
|
+
const token = data.token ?? data.access_token;
|
|
480
|
+
if (token) {
|
|
481
|
+
try {
|
|
482
|
+
const { saveCredentials } = await import("./auth-3UK75242.mjs");
|
|
483
|
+
saveCredentials(apiUrl, token);
|
|
484
|
+
} catch {
|
|
485
|
+
}
|
|
486
|
+
return token;
|
|
487
|
+
}
|
|
488
|
+
}
|
|
489
|
+
} catch {
|
|
490
|
+
}
|
|
491
|
+
return process.env.MINDMATRIX_TOKEN;
|
|
492
|
+
}
|
|
493
|
+
async function checkBackendHealth(apiUrl) {
|
|
494
|
+
try {
|
|
495
|
+
const base = apiUrl.replace(/\/api\/v1\/?$/, "");
|
|
496
|
+
const resp = await fetch(`${base}/health`, { signal: AbortSignal.timeout(5e3) });
|
|
497
|
+
if (resp.ok) {
|
|
498
|
+
const d = await resp.json();
|
|
499
|
+
return { ok: true, version: d.version, db: d.database };
|
|
500
|
+
}
|
|
501
|
+
return { ok: resp.status < 500 };
|
|
502
|
+
} catch {
|
|
503
|
+
return { ok: false };
|
|
504
|
+
}
|
|
505
|
+
}
|
|
506
|
+
async function initialBuildDeploy(src, outDir, mode, apiUrl, token) {
|
|
507
|
+
console.log("[mm-dev] Compiling project...");
|
|
508
|
+
const buildResult = await build({ src, outDir, mode, skipTypeCheck: true });
|
|
509
|
+
if (buildResult.errors > 0) {
|
|
510
|
+
currentErrors = buildResult.errorDetails.map((e) => ({ file: e.file, message: e.message, line: e.line }));
|
|
511
|
+
console.error(`[mm-dev] Build failed with ${buildResult.errors} error(s) -- error overlay active`);
|
|
512
|
+
return { buildResult, deployed: false, slug: void 0 };
|
|
513
|
+
}
|
|
514
|
+
currentErrors = null;
|
|
515
|
+
if (buildResult.compiled === 0) return { buildResult, deployed: false, slug: void 0 };
|
|
516
|
+
console.log(`[mm-dev] Compiled ${buildResult.compiled} definition(s)`);
|
|
517
|
+
try {
|
|
518
|
+
const { deploy } = await import("./deploy-YAJGW6II.mjs");
|
|
519
|
+
const result = await deploy({ apiUrl, token, dir: outDir });
|
|
520
|
+
const total = result.created.length + result.updated.length + result.versioned.length;
|
|
521
|
+
if (total > 0) console.log(`[mm-dev] Deployed: ${result.created.length} created, ${result.updated.length} updated`);
|
|
522
|
+
return { buildResult, deployed: true, slug: buildResult.definitions?.[0]?.slug };
|
|
523
|
+
} catch (e) {
|
|
524
|
+
console.warn(`[mm-dev] Deploy failed: ${e instanceof Error ? e.message : e}`);
|
|
525
|
+
return { buildResult, deployed: false, slug: void 0 };
|
|
526
|
+
}
|
|
527
|
+
}
|
|
528
|
+
function printBanner(o) {
|
|
529
|
+
const l = "-".repeat(58);
|
|
530
|
+
console.log(`
|
|
531
|
+
${l}
|
|
532
|
+
MindMatrix Dev Server
|
|
533
|
+
${l}
|
|
534
|
+
`);
|
|
535
|
+
console.log(` Preview: http://localhost:${o.port}`);
|
|
536
|
+
console.log(` API Proxy: /api/* -> ${o.apiUrl}`);
|
|
537
|
+
console.log(` WebSocket: ws://localhost:${o.port}/__mm_dev`);
|
|
538
|
+
console.log(` Watching: ${o.src} (${o.include.join(", ")})
|
|
539
|
+
`);
|
|
540
|
+
console.log(` Backend: ${o.health.ok ? "connected" : "unreachable"}${o.health.version ? ` (v${o.health.version})` : ""}`);
|
|
541
|
+
if (o.health.db) console.log(` Database: ${o.health.db}`);
|
|
542
|
+
console.log(` Auth: ${o.token ? "authenticated" : "no token"}`);
|
|
543
|
+
if (o.compiled > 0) {
|
|
544
|
+
console.log(` Blueprint: ${o.slug ?? "unknown"} (${o.compiled} defs)`);
|
|
545
|
+
console.log(` Deploy: ${o.deployed ? "synced" : "pending"}`);
|
|
546
|
+
}
|
|
547
|
+
if (o.errors > 0) console.log(` Errors: ${o.errors} compile error(s) -- overlay active`);
|
|
548
|
+
console.log(`
|
|
549
|
+
${l}
|
|
550
|
+
`);
|
|
551
|
+
}
|
|
552
|
+
function broadcast(clients, data) {
|
|
553
|
+
const msg = JSON.stringify(data);
|
|
554
|
+
for (const c of clients) {
|
|
555
|
+
try {
|
|
556
|
+
if (c.readyState === 1) c.send(msg);
|
|
557
|
+
} catch {
|
|
558
|
+
clients.delete(c);
|
|
559
|
+
}
|
|
560
|
+
}
|
|
561
|
+
}
|
|
562
|
+
async function createDevServer(options = {}) {
|
|
563
|
+
const { existsSync } = await import("fs");
|
|
564
|
+
const { resolve } = await import("path");
|
|
565
|
+
const nodeModulesPath = resolve(process.cwd(), "node_modules");
|
|
566
|
+
if (!existsSync(nodeModulesPath)) {
|
|
567
|
+
console.error(`
|
|
568
|
+
[mmrc] Error: Dependencies not installed.
|
|
569
|
+
`);
|
|
570
|
+
console.error(` Run one of these in your project directory first:
|
|
571
|
+
`);
|
|
572
|
+
console.error(` npm install`);
|
|
573
|
+
console.error(` pnpm install`);
|
|
574
|
+
console.error(` yarn install
|
|
575
|
+
`);
|
|
576
|
+
process.exit(1);
|
|
577
|
+
}
|
|
578
|
+
try {
|
|
579
|
+
await import("vite");
|
|
580
|
+
} catch {
|
|
581
|
+
console.error(`
|
|
582
|
+
[mmrc] Error: 'vite' is not installed.
|
|
583
|
+
`);
|
|
584
|
+
console.error(` Install it:
|
|
585
|
+
`);
|
|
586
|
+
console.error(` npm install -D vite
|
|
587
|
+
`);
|
|
588
|
+
process.exit(1);
|
|
589
|
+
}
|
|
590
|
+
const {
|
|
591
|
+
port = 5199,
|
|
592
|
+
src = ".",
|
|
593
|
+
mode = "infer",
|
|
594
|
+
include = ["models/**/*.ts", "app/**/*.tsx", "**/*.workflow.tsx"],
|
|
595
|
+
outDir = "dist",
|
|
596
|
+
seed = false,
|
|
597
|
+
apiUrl: rawApiUrl = "auto",
|
|
598
|
+
authToken: explicitToken,
|
|
599
|
+
ws: enableWs = true,
|
|
600
|
+
open = false
|
|
601
|
+
} = options;
|
|
602
|
+
const clients = /* @__PURE__ */ new Set();
|
|
603
|
+
let localServer = null;
|
|
604
|
+
let apiUrl;
|
|
605
|
+
let isLocalMode = false;
|
|
606
|
+
if (rawApiUrl === "local") {
|
|
607
|
+
localServer = await startLocalServer({ port: 4200 });
|
|
608
|
+
apiUrl = "http://localhost:4200/api/v1";
|
|
609
|
+
isLocalMode = true;
|
|
610
|
+
} else if (rawApiUrl === "auto") {
|
|
611
|
+
const defaultRemote = "https://dev.mindmatrix.club/api/v1";
|
|
612
|
+
const remoteHealth = await checkBackendHealth(defaultRemote);
|
|
613
|
+
if (remoteHealth.ok) {
|
|
614
|
+
apiUrl = defaultRemote;
|
|
615
|
+
} else {
|
|
616
|
+
const localHealth = await checkBackendHealth("http://localhost:4200/api/v1");
|
|
617
|
+
if (localHealth.ok) {
|
|
618
|
+
apiUrl = "http://localhost:4200/api/v1";
|
|
619
|
+
} else {
|
|
620
|
+
console.log("[mm-dev] No backend detected \u2014 starting local in-memory API server...");
|
|
621
|
+
localServer = await startLocalServer({ port: 4200 });
|
|
622
|
+
apiUrl = "http://localhost:4200/api/v1";
|
|
623
|
+
isLocalMode = true;
|
|
624
|
+
}
|
|
625
|
+
}
|
|
626
|
+
} else {
|
|
627
|
+
apiUrl = rawApiUrl;
|
|
628
|
+
}
|
|
629
|
+
const token = isLocalMode ? "dev-token-local" : await resolveDevToken(apiUrl, explicitToken);
|
|
630
|
+
const health = isLocalMode ? { ok: true, version: "local", db: "in-memory" } : await checkBackendHealth(apiUrl);
|
|
631
|
+
let initialSlug, initialCompiled = 0, initialDeployed = false, initialErrors = 0;
|
|
632
|
+
if (token && health.ok) {
|
|
633
|
+
const r = await initialBuildDeploy(src, outDir, mode, apiUrl, token);
|
|
634
|
+
initialCompiled = r.buildResult.compiled;
|
|
635
|
+
initialDeployed = r.deployed;
|
|
636
|
+
initialSlug = r.slug;
|
|
637
|
+
initialErrors = r.buildResult.errors;
|
|
638
|
+
}
|
|
639
|
+
if (seed && token && initialDeployed) {
|
|
640
|
+
try {
|
|
641
|
+
const { seedInstances } = await import("./seed-KOGEPGOJ.mjs");
|
|
642
|
+
console.log("[mm-dev] Seeding sample instances...");
|
|
643
|
+
const sr = await seedInstances({ apiUrl, token, dir: outDir });
|
|
644
|
+
console.log(`[mm-dev] Seeded ${sr.created} instance(s) across ${sr.definitions} definition(s)`);
|
|
645
|
+
} catch (e) {
|
|
646
|
+
console.warn(`[mm-dev] Seed failed: ${e instanceof Error ? e.message : e}`);
|
|
647
|
+
}
|
|
648
|
+
}
|
|
649
|
+
const pluginOpts = { mode, include, outDir, seedOnCompile: seed, apiUrl, authToken: token };
|
|
650
|
+
const proxyTarget = apiUrl.replace(/\/api\/v1\/?$/, "") || apiUrl;
|
|
651
|
+
const devPlayerPlugin = {
|
|
652
|
+
name: "mindmatrix-dev-player",
|
|
653
|
+
resolveId(id) {
|
|
654
|
+
if (id === "virtual:mm-dev-player") return "\0virtual:mm-dev-player";
|
|
655
|
+
return null;
|
|
656
|
+
},
|
|
657
|
+
load(id) {
|
|
658
|
+
if (id !== "\0virtual:mm-dev-player") return null;
|
|
659
|
+
return `
|
|
660
|
+
import React from 'react';
|
|
661
|
+
import { createRoot } from 'react-dom/client';
|
|
662
|
+
import { DevPlayer } from '@mmapp/react/player';
|
|
663
|
+
|
|
664
|
+
const tree = window.__MM_DEV_TREE__ || { type: 'Text', props: { children: 'No tree loaded. Compile a workflow to see the preview.' } };
|
|
665
|
+
const scopes = window.__MM_DEV_SCOPES__ || {};
|
|
666
|
+
|
|
667
|
+
function App() {
|
|
668
|
+
const [currentTree, setTree] = React.useState(tree);
|
|
669
|
+
const [currentScopes, setScopes] = React.useState(scopes);
|
|
670
|
+
|
|
671
|
+
React.useEffect(() => {
|
|
672
|
+
const ws = new WebSocket('ws://' + location.host + '/__mm_dev');
|
|
673
|
+
ws.onmessage = (ev) => {
|
|
674
|
+
try {
|
|
675
|
+
const msg = JSON.parse(ev.data);
|
|
676
|
+
if (msg.type === 'workflow:compiled' && msg.tree) setTree(msg.tree);
|
|
677
|
+
if (msg.type === 'workflow:compiled' && msg.scopes) setScopes(msg.scopes);
|
|
678
|
+
} catch {}
|
|
679
|
+
};
|
|
680
|
+
return () => ws.close();
|
|
681
|
+
}, []);
|
|
682
|
+
|
|
683
|
+
return React.createElement(DevPlayer, { tree: currentTree, scopes: currentScopes, title: document.title || 'MindMatrix Dev' });
|
|
684
|
+
}
|
|
685
|
+
|
|
686
|
+
createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
687
|
+
`;
|
|
688
|
+
}
|
|
689
|
+
};
|
|
690
|
+
const devHtml = `<!DOCTYPE html>
|
|
691
|
+
<html lang="en">
|
|
692
|
+
<head>
|
|
693
|
+
<meta charset="UTF-8">
|
|
694
|
+
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
|
695
|
+
<title>MindMatrix Dev</title>
|
|
696
|
+
<style>
|
|
697
|
+
* { margin: 0; padding: 0; box-sizing: border-box; }
|
|
698
|
+
body { font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, sans-serif; background: #fafafa; color: #111; }
|
|
699
|
+
#root { min-height: 100vh; }
|
|
700
|
+
.mm-loading { display: flex; align-items: center; justify-content: center; min-height: 100vh; flex-direction: column; gap: 12px; }
|
|
701
|
+
.mm-loading h1 { font-size: 20px; font-weight: 600; color: #333; }
|
|
702
|
+
.mm-loading p { color: #888; font-size: 14px; }
|
|
703
|
+
</style>
|
|
704
|
+
</head>
|
|
705
|
+
<body>
|
|
706
|
+
<div id="root">
|
|
707
|
+
<div class="mm-loading">
|
|
708
|
+
<h1>MindMatrix Dev</h1>
|
|
709
|
+
<p>Loading...</p>
|
|
710
|
+
</div>
|
|
711
|
+
</div>
|
|
712
|
+
<script type="module">
|
|
713
|
+
import React from 'react';
|
|
714
|
+
import { createRoot } from 'react-dom/client';
|
|
715
|
+
|
|
716
|
+
function App() {
|
|
717
|
+
const [data, setData] = React.useState({ definitions: [], instances: [] });
|
|
718
|
+
const [error, setError] = React.useState(null);
|
|
719
|
+
|
|
720
|
+
React.useEffect(() => {
|
|
721
|
+
fetch('/api/v1/workflow/definitions')
|
|
722
|
+
.then(r => r.ok ? r.json() : Promise.reject('API ' + r.status))
|
|
723
|
+
.then(defs => setData(d => ({ ...d, definitions: Array.isArray(defs) ? defs : defs.data || [] })))
|
|
724
|
+
.catch(e => setError(String(e)));
|
|
725
|
+
}, []);
|
|
726
|
+
|
|
727
|
+
if (error) return React.createElement('div', { style: { padding: 40 } },
|
|
728
|
+
React.createElement('h1', null, 'MindMatrix Dev'),
|
|
729
|
+
React.createElement('p', { style: { color: '#c00', marginTop: 8 } }, 'API Error: ' + error),
|
|
730
|
+
React.createElement('p', { style: { color: '#888', marginTop: 8 } }, 'The engine is running but the API returned an error. This may be an auth issue in SQLite mode.')
|
|
731
|
+
);
|
|
732
|
+
|
|
733
|
+
return React.createElement('div', { style: { padding: 40, maxWidth: 800 } },
|
|
734
|
+
React.createElement('h1', { style: { marginBottom: 16 } }, 'MindMatrix Dev'),
|
|
735
|
+
React.createElement('p', { style: { color: '#666', marginBottom: 24 } },
|
|
736
|
+
data.definitions.length + ' definition(s) deployed'),
|
|
737
|
+
data.definitions.map((def, i) =>
|
|
738
|
+
React.createElement('div', { key: i, style: { border: '1px solid #ddd', borderRadius: 8, padding: 16, marginBottom: 12, background: '#fff' } },
|
|
739
|
+
React.createElement('h3', { style: { marginBottom: 4 } }, def.name || def.slug || 'Unnamed'),
|
|
740
|
+
React.createElement('p', { style: { color: '#888', fontSize: 13 } },
|
|
741
|
+
'slug: ' + (def.slug || '?') + ' | states: ' + (def.states?.length || 0) + ' | fields: ' + (def.fields?.length || 0))
|
|
742
|
+
)
|
|
743
|
+
),
|
|
744
|
+
data.definitions.length === 0 && React.createElement('p', { style: { color: '#888' } },
|
|
745
|
+
'No definitions deployed yet. Edit your model files and save \u2014 mmrc dev will auto-compile and deploy.')
|
|
746
|
+
);
|
|
747
|
+
}
|
|
748
|
+
|
|
749
|
+
createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
750
|
+
</script>
|
|
751
|
+
</body>
|
|
752
|
+
</html>`;
|
|
753
|
+
const htmlPlugin = {
|
|
754
|
+
name: "mindmatrix-dev-html",
|
|
755
|
+
// Return a function from configureServer → runs as POST-middleware,
|
|
756
|
+
// after Vite's built-in static file serving and SPA fallback.
|
|
757
|
+
configureServer(server) {
|
|
758
|
+
return () => {
|
|
759
|
+
server.middlewares.use(async (req, res, next) => {
|
|
760
|
+
const url = req.url ?? "";
|
|
761
|
+
if (url !== "/" && url !== "/index.html" && !url.startsWith("/?")) return next();
|
|
762
|
+
const accept = req.headers?.accept ?? "";
|
|
763
|
+
if (!accept.includes("text/html")) return next();
|
|
764
|
+
try {
|
|
765
|
+
const transformed = await server.transformIndexHtml(url, devHtml);
|
|
766
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
767
|
+
res.end(transformed);
|
|
768
|
+
} catch (e) {
|
|
769
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
770
|
+
res.end(devHtml);
|
|
771
|
+
}
|
|
772
|
+
});
|
|
773
|
+
};
|
|
774
|
+
}
|
|
775
|
+
};
|
|
776
|
+
let deployInFlight = false;
|
|
777
|
+
const compileDeployPlugin = {
|
|
778
|
+
name: "mindmatrix-dev-compile-deploy",
|
|
779
|
+
enforce: "post",
|
|
780
|
+
async handleHotUpdate(ctx) {
|
|
781
|
+
const isWf = include.some((p) => new RegExp(p.replace(/[.+^${}()|[\]\\]/g, "\\$&").replace(/\*\*/g, "<<G>>").replace(/\*/g, "[^/]*").replace(/<<G>>/g, ".*").replace(/\?/g, ".")).test(ctx.file));
|
|
782
|
+
if (!isWf) return;
|
|
783
|
+
const fn = ctx.file.split("/").pop() ?? ctx.file;
|
|
784
|
+
console.log(`[mm-dev] Recompiling ${fn}...`);
|
|
785
|
+
const br = await build({ src, outDir, mode, skipTypeCheck: true });
|
|
786
|
+
if (br.errors > 0) {
|
|
787
|
+
currentErrors = br.errorDetails.map((e) => ({ file: e.file, message: e.message, line: e.line }));
|
|
788
|
+
broadcast(clients, { type: "workflow:error", errors: br.errors, timestamp: ctx.timestamp });
|
|
789
|
+
return;
|
|
790
|
+
}
|
|
791
|
+
currentErrors = null;
|
|
792
|
+
if (token && !deployInFlight) {
|
|
793
|
+
deployInFlight = true;
|
|
794
|
+
try {
|
|
795
|
+
const { deploy: d } = await import("./deploy-YAJGW6II.mjs");
|
|
796
|
+
await d({ apiUrl, token, dir: outDir });
|
|
797
|
+
} catch {
|
|
798
|
+
} finally {
|
|
799
|
+
deployInFlight = false;
|
|
800
|
+
}
|
|
801
|
+
}
|
|
802
|
+
broadcast(clients, { type: "workflow:compiled", file: ctx.file, compiled: br.compiled, timestamp: ctx.timestamp });
|
|
803
|
+
}
|
|
804
|
+
};
|
|
805
|
+
const viteConfig = {
|
|
806
|
+
root: process.cwd(),
|
|
807
|
+
// 'custom' suppresses "Could not auto-determine entry point" warning
|
|
808
|
+
// since we serve a virtual index.html via the htmlPlugin.
|
|
809
|
+
appType: "custom",
|
|
810
|
+
server: {
|
|
811
|
+
port,
|
|
812
|
+
open,
|
|
813
|
+
host: true,
|
|
814
|
+
proxy: {
|
|
815
|
+
"/api": { target: proxyTarget, changeOrigin: true, secure: true, ws: true },
|
|
816
|
+
"/health": { target: proxyTarget, changeOrigin: true, secure: true },
|
|
817
|
+
"/ws": { target: proxyTarget.replace(/^http/, "ws"), changeOrigin: true, ws: true }
|
|
818
|
+
}
|
|
819
|
+
},
|
|
820
|
+
plugins: [
|
|
821
|
+
htmlPlugin,
|
|
822
|
+
mindmatrixReact(pluginOpts),
|
|
823
|
+
compileDeployPlugin,
|
|
824
|
+
devPlayerPlugin,
|
|
825
|
+
{ name: "mindmatrix-error-overlay", configureServer(server) {
|
|
826
|
+
server.middlewares.use(errorOverlayMiddleware());
|
|
827
|
+
} }
|
|
828
|
+
],
|
|
829
|
+
logLevel: "warn"
|
|
830
|
+
};
|
|
831
|
+
const { createServer: createServer2 } = await import("vite");
|
|
832
|
+
const vite = await createServer2(viteConfig);
|
|
833
|
+
await vite.listen();
|
|
834
|
+
const resolvedPort = vite.config.server.port ?? port;
|
|
835
|
+
if (enableWs && vite.httpServer) {
|
|
836
|
+
try {
|
|
837
|
+
const wsM = await Function('return import("ws")')();
|
|
838
|
+
const WSS = wsM.WebSocketServer ?? wsM.default?.WebSocketServer;
|
|
839
|
+
if (WSS) {
|
|
840
|
+
const wss = new WSS({ server: vite.httpServer, path: "/__mm_dev" });
|
|
841
|
+
wss.on("connection", (s) => {
|
|
842
|
+
clients.add(s);
|
|
843
|
+
s.on("close", () => clients.delete(s));
|
|
844
|
+
s.send(JSON.stringify({ type: "mm:connected", version: "0.1.0", capabilities: ["compile", "deploy", "proxy", "notify", "error-overlay"] }));
|
|
845
|
+
});
|
|
846
|
+
}
|
|
847
|
+
} catch {
|
|
848
|
+
}
|
|
849
|
+
}
|
|
850
|
+
printBanner({ port: resolvedPort, apiUrl: isLocalMode ? `${apiUrl} (local in-memory)` : apiUrl, src, include, health, token: !!token, compiled: initialCompiled, deployed: initialDeployed, slug: initialSlug, errors: initialErrors });
|
|
851
|
+
return {
|
|
852
|
+
vite,
|
|
853
|
+
port: resolvedPort,
|
|
854
|
+
clients,
|
|
855
|
+
async rebuild() {
|
|
856
|
+
const r = await build({ src, outDir, mode });
|
|
857
|
+
if (r.errors > 0) {
|
|
858
|
+
currentErrors = r.errorDetails.map((e) => ({ file: e.file, message: e.message, line: e.line }));
|
|
859
|
+
} else {
|
|
860
|
+
currentErrors = null;
|
|
861
|
+
if (token) {
|
|
862
|
+
try {
|
|
863
|
+
const { deploy: d } = await import("./deploy-YAJGW6II.mjs");
|
|
864
|
+
await d({ apiUrl, token, dir: outDir });
|
|
865
|
+
} catch {
|
|
866
|
+
}
|
|
867
|
+
}
|
|
868
|
+
}
|
|
869
|
+
broadcast(clients, { type: "workflow:rebuild", compiled: r.compiled, errors: r.errors, timestamp: Date.now() });
|
|
870
|
+
return r;
|
|
871
|
+
},
|
|
872
|
+
async close() {
|
|
873
|
+
for (const c of clients) {
|
|
874
|
+
try {
|
|
875
|
+
c.close();
|
|
876
|
+
} catch {
|
|
877
|
+
}
|
|
878
|
+
}
|
|
879
|
+
clients.clear();
|
|
880
|
+
currentErrors = null;
|
|
881
|
+
await vite.close();
|
|
882
|
+
if (localServer) {
|
|
883
|
+
await localServer.close();
|
|
884
|
+
}
|
|
885
|
+
}
|
|
886
|
+
};
|
|
887
|
+
}
|
|
888
|
+
|
|
889
|
+
export {
|
|
890
|
+
createDevServer
|
|
891
|
+
};
|
package/dist/cli/index.js
CHANGED
|
@@ -15884,6 +15884,92 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
15884
15884
|
`;
|
|
15885
15885
|
}
|
|
15886
15886
|
};
|
|
15887
|
+
const devHtml = `<!DOCTYPE html>
|
|
15888
|
+
<html lang="en">
|
|
15889
|
+
<head>
|
|
15890
|
+
<meta charset="UTF-8">
|
|
15891
|
+
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
|
15892
|
+
<title>MindMatrix Dev</title>
|
|
15893
|
+
<style>
|
|
15894
|
+
* { margin: 0; padding: 0; box-sizing: border-box; }
|
|
15895
|
+
body { font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, sans-serif; background: #fafafa; color: #111; }
|
|
15896
|
+
#root { min-height: 100vh; }
|
|
15897
|
+
.mm-loading { display: flex; align-items: center; justify-content: center; min-height: 100vh; flex-direction: column; gap: 12px; }
|
|
15898
|
+
.mm-loading h1 { font-size: 20px; font-weight: 600; color: #333; }
|
|
15899
|
+
.mm-loading p { color: #888; font-size: 14px; }
|
|
15900
|
+
</style>
|
|
15901
|
+
</head>
|
|
15902
|
+
<body>
|
|
15903
|
+
<div id="root">
|
|
15904
|
+
<div class="mm-loading">
|
|
15905
|
+
<h1>MindMatrix Dev</h1>
|
|
15906
|
+
<p>Loading...</p>
|
|
15907
|
+
</div>
|
|
15908
|
+
</div>
|
|
15909
|
+
<script type="module">
|
|
15910
|
+
import React from 'react';
|
|
15911
|
+
import { createRoot } from 'react-dom/client';
|
|
15912
|
+
|
|
15913
|
+
function App() {
|
|
15914
|
+
const [data, setData] = React.useState({ definitions: [], instances: [] });
|
|
15915
|
+
const [error, setError] = React.useState(null);
|
|
15916
|
+
|
|
15917
|
+
React.useEffect(() => {
|
|
15918
|
+
fetch('/api/v1/workflow/definitions')
|
|
15919
|
+
.then(r => r.ok ? r.json() : Promise.reject('API ' + r.status))
|
|
15920
|
+
.then(defs => setData(d => ({ ...d, definitions: Array.isArray(defs) ? defs : defs.data || [] })))
|
|
15921
|
+
.catch(e => setError(String(e)));
|
|
15922
|
+
}, []);
|
|
15923
|
+
|
|
15924
|
+
if (error) return React.createElement('div', { style: { padding: 40 } },
|
|
15925
|
+
React.createElement('h1', null, 'MindMatrix Dev'),
|
|
15926
|
+
React.createElement('p', { style: { color: '#c00', marginTop: 8 } }, 'API Error: ' + error),
|
|
15927
|
+
React.createElement('p', { style: { color: '#888', marginTop: 8 } }, 'The engine is running but the API returned an error. This may be an auth issue in SQLite mode.')
|
|
15928
|
+
);
|
|
15929
|
+
|
|
15930
|
+
return React.createElement('div', { style: { padding: 40, maxWidth: 800 } },
|
|
15931
|
+
React.createElement('h1', { style: { marginBottom: 16 } }, 'MindMatrix Dev'),
|
|
15932
|
+
React.createElement('p', { style: { color: '#666', marginBottom: 24 } },
|
|
15933
|
+
data.definitions.length + ' definition(s) deployed'),
|
|
15934
|
+
data.definitions.map((def, i) =>
|
|
15935
|
+
React.createElement('div', { key: i, style: { border: '1px solid #ddd', borderRadius: 8, padding: 16, marginBottom: 12, background: '#fff' } },
|
|
15936
|
+
React.createElement('h3', { style: { marginBottom: 4 } }, def.name || def.slug || 'Unnamed'),
|
|
15937
|
+
React.createElement('p', { style: { color: '#888', fontSize: 13 } },
|
|
15938
|
+
'slug: ' + (def.slug || '?') + ' | states: ' + (def.states?.length || 0) + ' | fields: ' + (def.fields?.length || 0))
|
|
15939
|
+
)
|
|
15940
|
+
),
|
|
15941
|
+
data.definitions.length === 0 && React.createElement('p', { style: { color: '#888' } },
|
|
15942
|
+
'No definitions deployed yet. Edit your model files and save \u2014 mmrc dev will auto-compile and deploy.')
|
|
15943
|
+
);
|
|
15944
|
+
}
|
|
15945
|
+
|
|
15946
|
+
createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
15947
|
+
</script>
|
|
15948
|
+
</body>
|
|
15949
|
+
</html>`;
|
|
15950
|
+
const htmlPlugin = {
|
|
15951
|
+
name: "mindmatrix-dev-html",
|
|
15952
|
+
// Return a function from configureServer → runs as POST-middleware,
|
|
15953
|
+
// after Vite's built-in static file serving and SPA fallback.
|
|
15954
|
+
configureServer(server) {
|
|
15955
|
+
return () => {
|
|
15956
|
+
server.middlewares.use(async (req, res, next) => {
|
|
15957
|
+
const url = req.url ?? "";
|
|
15958
|
+
if (url !== "/" && url !== "/index.html" && !url.startsWith("/?")) return next();
|
|
15959
|
+
const accept = req.headers?.accept ?? "";
|
|
15960
|
+
if (!accept.includes("text/html")) return next();
|
|
15961
|
+
try {
|
|
15962
|
+
const transformed = await server.transformIndexHtml(url, devHtml);
|
|
15963
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
15964
|
+
res.end(transformed);
|
|
15965
|
+
} catch (e) {
|
|
15966
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
15967
|
+
res.end(devHtml);
|
|
15968
|
+
}
|
|
15969
|
+
});
|
|
15970
|
+
};
|
|
15971
|
+
}
|
|
15972
|
+
};
|
|
15887
15973
|
let deployInFlight = false;
|
|
15888
15974
|
const compileDeployPlugin = {
|
|
15889
15975
|
name: "mindmatrix-dev-compile-deploy",
|
|
@@ -15915,6 +16001,9 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
15915
16001
|
};
|
|
15916
16002
|
const viteConfig = {
|
|
15917
16003
|
root: process.cwd(),
|
|
16004
|
+
// 'custom' suppresses "Could not auto-determine entry point" warning
|
|
16005
|
+
// since we serve a virtual index.html via the htmlPlugin.
|
|
16006
|
+
appType: "custom",
|
|
15918
16007
|
server: {
|
|
15919
16008
|
port,
|
|
15920
16009
|
open,
|
|
@@ -15926,6 +16015,7 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
15926
16015
|
}
|
|
15927
16016
|
},
|
|
15928
16017
|
plugins: [
|
|
16018
|
+
htmlPlugin,
|
|
15929
16019
|
mindmatrixReact(pluginOpts),
|
|
15930
16020
|
compileDeployPlugin,
|
|
15931
16021
|
devPlayerPlugin,
|
|
@@ -19369,6 +19459,7 @@ async function main() {
|
|
|
19369
19459
|
}
|
|
19370
19460
|
}
|
|
19371
19461
|
const apiUrl = engineProcess ? `http://localhost:${apiPort}/api/v1` : explicitApiUrl || "auto";
|
|
19462
|
+
const resolvedToken = engineProcess ? "dev-local" : authToken;
|
|
19372
19463
|
const { createDevServer: createDevServer2 } = await Promise.resolve().then(() => (init_dev_server(), dev_server_exports));
|
|
19373
19464
|
const server = await createDevServer2({
|
|
19374
19465
|
port,
|
|
@@ -19376,7 +19467,7 @@ async function main() {
|
|
|
19376
19467
|
mode,
|
|
19377
19468
|
seed,
|
|
19378
19469
|
apiUrl,
|
|
19379
|
-
authToken,
|
|
19470
|
+
authToken: resolvedToken,
|
|
19380
19471
|
open
|
|
19381
19472
|
});
|
|
19382
19473
|
const shutdown = async () => {
|
package/dist/cli/index.mjs
CHANGED
|
@@ -423,6 +423,7 @@ async function main() {
|
|
|
423
423
|
}
|
|
424
424
|
}
|
|
425
425
|
const apiUrl = engineProcess ? `http://localhost:${apiPort}/api/v1` : explicitApiUrl || "auto";
|
|
426
|
+
const resolvedToken = engineProcess ? "dev-local" : authToken;
|
|
426
427
|
const { createDevServer } = await import("../dev-server.mjs");
|
|
427
428
|
const server = await createDevServer({
|
|
428
429
|
port,
|
|
@@ -430,7 +431,7 @@ async function main() {
|
|
|
430
431
|
mode,
|
|
431
432
|
seed,
|
|
432
433
|
apiUrl,
|
|
433
|
-
authToken,
|
|
434
|
+
authToken: resolvedToken,
|
|
434
435
|
open
|
|
435
436
|
});
|
|
436
437
|
const shutdown = async () => {
|
package/dist/dev-server.js
CHANGED
|
@@ -12387,6 +12387,92 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
12387
12387
|
`;
|
|
12388
12388
|
}
|
|
12389
12389
|
};
|
|
12390
|
+
const devHtml = `<!DOCTYPE html>
|
|
12391
|
+
<html lang="en">
|
|
12392
|
+
<head>
|
|
12393
|
+
<meta charset="UTF-8">
|
|
12394
|
+
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
|
12395
|
+
<title>MindMatrix Dev</title>
|
|
12396
|
+
<style>
|
|
12397
|
+
* { margin: 0; padding: 0; box-sizing: border-box; }
|
|
12398
|
+
body { font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, sans-serif; background: #fafafa; color: #111; }
|
|
12399
|
+
#root { min-height: 100vh; }
|
|
12400
|
+
.mm-loading { display: flex; align-items: center; justify-content: center; min-height: 100vh; flex-direction: column; gap: 12px; }
|
|
12401
|
+
.mm-loading h1 { font-size: 20px; font-weight: 600; color: #333; }
|
|
12402
|
+
.mm-loading p { color: #888; font-size: 14px; }
|
|
12403
|
+
</style>
|
|
12404
|
+
</head>
|
|
12405
|
+
<body>
|
|
12406
|
+
<div id="root">
|
|
12407
|
+
<div class="mm-loading">
|
|
12408
|
+
<h1>MindMatrix Dev</h1>
|
|
12409
|
+
<p>Loading...</p>
|
|
12410
|
+
</div>
|
|
12411
|
+
</div>
|
|
12412
|
+
<script type="module">
|
|
12413
|
+
import React from 'react';
|
|
12414
|
+
import { createRoot } from 'react-dom/client';
|
|
12415
|
+
|
|
12416
|
+
function App() {
|
|
12417
|
+
const [data, setData] = React.useState({ definitions: [], instances: [] });
|
|
12418
|
+
const [error, setError] = React.useState(null);
|
|
12419
|
+
|
|
12420
|
+
React.useEffect(() => {
|
|
12421
|
+
fetch('/api/v1/workflow/definitions')
|
|
12422
|
+
.then(r => r.ok ? r.json() : Promise.reject('API ' + r.status))
|
|
12423
|
+
.then(defs => setData(d => ({ ...d, definitions: Array.isArray(defs) ? defs : defs.data || [] })))
|
|
12424
|
+
.catch(e => setError(String(e)));
|
|
12425
|
+
}, []);
|
|
12426
|
+
|
|
12427
|
+
if (error) return React.createElement('div', { style: { padding: 40 } },
|
|
12428
|
+
React.createElement('h1', null, 'MindMatrix Dev'),
|
|
12429
|
+
React.createElement('p', { style: { color: '#c00', marginTop: 8 } }, 'API Error: ' + error),
|
|
12430
|
+
React.createElement('p', { style: { color: '#888', marginTop: 8 } }, 'The engine is running but the API returned an error. This may be an auth issue in SQLite mode.')
|
|
12431
|
+
);
|
|
12432
|
+
|
|
12433
|
+
return React.createElement('div', { style: { padding: 40, maxWidth: 800 } },
|
|
12434
|
+
React.createElement('h1', { style: { marginBottom: 16 } }, 'MindMatrix Dev'),
|
|
12435
|
+
React.createElement('p', { style: { color: '#666', marginBottom: 24 } },
|
|
12436
|
+
data.definitions.length + ' definition(s) deployed'),
|
|
12437
|
+
data.definitions.map((def, i) =>
|
|
12438
|
+
React.createElement('div', { key: i, style: { border: '1px solid #ddd', borderRadius: 8, padding: 16, marginBottom: 12, background: '#fff' } },
|
|
12439
|
+
React.createElement('h3', { style: { marginBottom: 4 } }, def.name || def.slug || 'Unnamed'),
|
|
12440
|
+
React.createElement('p', { style: { color: '#888', fontSize: 13 } },
|
|
12441
|
+
'slug: ' + (def.slug || '?') + ' | states: ' + (def.states?.length || 0) + ' | fields: ' + (def.fields?.length || 0))
|
|
12442
|
+
)
|
|
12443
|
+
),
|
|
12444
|
+
data.definitions.length === 0 && React.createElement('p', { style: { color: '#888' } },
|
|
12445
|
+
'No definitions deployed yet. Edit your model files and save \u2014 mmrc dev will auto-compile and deploy.')
|
|
12446
|
+
);
|
|
12447
|
+
}
|
|
12448
|
+
|
|
12449
|
+
createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
12450
|
+
</script>
|
|
12451
|
+
</body>
|
|
12452
|
+
</html>`;
|
|
12453
|
+
const htmlPlugin = {
|
|
12454
|
+
name: "mindmatrix-dev-html",
|
|
12455
|
+
// Return a function from configureServer → runs as POST-middleware,
|
|
12456
|
+
// after Vite's built-in static file serving and SPA fallback.
|
|
12457
|
+
configureServer(server) {
|
|
12458
|
+
return () => {
|
|
12459
|
+
server.middlewares.use(async (req, res, next) => {
|
|
12460
|
+
const url = req.url ?? "";
|
|
12461
|
+
if (url !== "/" && url !== "/index.html" && !url.startsWith("/?")) return next();
|
|
12462
|
+
const accept = req.headers?.accept ?? "";
|
|
12463
|
+
if (!accept.includes("text/html")) return next();
|
|
12464
|
+
try {
|
|
12465
|
+
const transformed = await server.transformIndexHtml(url, devHtml);
|
|
12466
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
12467
|
+
res.end(transformed);
|
|
12468
|
+
} catch (e) {
|
|
12469
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
12470
|
+
res.end(devHtml);
|
|
12471
|
+
}
|
|
12472
|
+
});
|
|
12473
|
+
};
|
|
12474
|
+
}
|
|
12475
|
+
};
|
|
12390
12476
|
let deployInFlight = false;
|
|
12391
12477
|
const compileDeployPlugin = {
|
|
12392
12478
|
name: "mindmatrix-dev-compile-deploy",
|
|
@@ -12418,6 +12504,9 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
12418
12504
|
};
|
|
12419
12505
|
const viteConfig = {
|
|
12420
12506
|
root: process.cwd(),
|
|
12507
|
+
// 'custom' suppresses "Could not auto-determine entry point" warning
|
|
12508
|
+
// since we serve a virtual index.html via the htmlPlugin.
|
|
12509
|
+
appType: "custom",
|
|
12421
12510
|
server: {
|
|
12422
12511
|
port,
|
|
12423
12512
|
open,
|
|
@@ -12429,6 +12518,7 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
12429
12518
|
}
|
|
12430
12519
|
},
|
|
12431
12520
|
plugins: [
|
|
12521
|
+
htmlPlugin,
|
|
12432
12522
|
mindmatrixReact(pluginOpts),
|
|
12433
12523
|
compileDeployPlugin,
|
|
12434
12524
|
devPlayerPlugin,
|
package/dist/dev-server.mjs
CHANGED
package/dist/index.js
CHANGED
|
@@ -14601,6 +14601,92 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
14601
14601
|
`;
|
|
14602
14602
|
}
|
|
14603
14603
|
};
|
|
14604
|
+
const devHtml = `<!DOCTYPE html>
|
|
14605
|
+
<html lang="en">
|
|
14606
|
+
<head>
|
|
14607
|
+
<meta charset="UTF-8">
|
|
14608
|
+
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
|
14609
|
+
<title>MindMatrix Dev</title>
|
|
14610
|
+
<style>
|
|
14611
|
+
* { margin: 0; padding: 0; box-sizing: border-box; }
|
|
14612
|
+
body { font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, sans-serif; background: #fafafa; color: #111; }
|
|
14613
|
+
#root { min-height: 100vh; }
|
|
14614
|
+
.mm-loading { display: flex; align-items: center; justify-content: center; min-height: 100vh; flex-direction: column; gap: 12px; }
|
|
14615
|
+
.mm-loading h1 { font-size: 20px; font-weight: 600; color: #333; }
|
|
14616
|
+
.mm-loading p { color: #888; font-size: 14px; }
|
|
14617
|
+
</style>
|
|
14618
|
+
</head>
|
|
14619
|
+
<body>
|
|
14620
|
+
<div id="root">
|
|
14621
|
+
<div class="mm-loading">
|
|
14622
|
+
<h1>MindMatrix Dev</h1>
|
|
14623
|
+
<p>Loading...</p>
|
|
14624
|
+
</div>
|
|
14625
|
+
</div>
|
|
14626
|
+
<script type="module">
|
|
14627
|
+
import React from 'react';
|
|
14628
|
+
import { createRoot } from 'react-dom/client';
|
|
14629
|
+
|
|
14630
|
+
function App() {
|
|
14631
|
+
const [data, setData] = React.useState({ definitions: [], instances: [] });
|
|
14632
|
+
const [error, setError] = React.useState(null);
|
|
14633
|
+
|
|
14634
|
+
React.useEffect(() => {
|
|
14635
|
+
fetch('/api/v1/workflow/definitions')
|
|
14636
|
+
.then(r => r.ok ? r.json() : Promise.reject('API ' + r.status))
|
|
14637
|
+
.then(defs => setData(d => ({ ...d, definitions: Array.isArray(defs) ? defs : defs.data || [] })))
|
|
14638
|
+
.catch(e => setError(String(e)));
|
|
14639
|
+
}, []);
|
|
14640
|
+
|
|
14641
|
+
if (error) return React.createElement('div', { style: { padding: 40 } },
|
|
14642
|
+
React.createElement('h1', null, 'MindMatrix Dev'),
|
|
14643
|
+
React.createElement('p', { style: { color: '#c00', marginTop: 8 } }, 'API Error: ' + error),
|
|
14644
|
+
React.createElement('p', { style: { color: '#888', marginTop: 8 } }, 'The engine is running but the API returned an error. This may be an auth issue in SQLite mode.')
|
|
14645
|
+
);
|
|
14646
|
+
|
|
14647
|
+
return React.createElement('div', { style: { padding: 40, maxWidth: 800 } },
|
|
14648
|
+
React.createElement('h1', { style: { marginBottom: 16 } }, 'MindMatrix Dev'),
|
|
14649
|
+
React.createElement('p', { style: { color: '#666', marginBottom: 24 } },
|
|
14650
|
+
data.definitions.length + ' definition(s) deployed'),
|
|
14651
|
+
data.definitions.map((def, i) =>
|
|
14652
|
+
React.createElement('div', { key: i, style: { border: '1px solid #ddd', borderRadius: 8, padding: 16, marginBottom: 12, background: '#fff' } },
|
|
14653
|
+
React.createElement('h3', { style: { marginBottom: 4 } }, def.name || def.slug || 'Unnamed'),
|
|
14654
|
+
React.createElement('p', { style: { color: '#888', fontSize: 13 } },
|
|
14655
|
+
'slug: ' + (def.slug || '?') + ' | states: ' + (def.states?.length || 0) + ' | fields: ' + (def.fields?.length || 0))
|
|
14656
|
+
)
|
|
14657
|
+
),
|
|
14658
|
+
data.definitions.length === 0 && React.createElement('p', { style: { color: '#888' } },
|
|
14659
|
+
'No definitions deployed yet. Edit your model files and save \u2014 mmrc dev will auto-compile and deploy.')
|
|
14660
|
+
);
|
|
14661
|
+
}
|
|
14662
|
+
|
|
14663
|
+
createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
14664
|
+
</script>
|
|
14665
|
+
</body>
|
|
14666
|
+
</html>`;
|
|
14667
|
+
const htmlPlugin = {
|
|
14668
|
+
name: "mindmatrix-dev-html",
|
|
14669
|
+
// Return a function from configureServer → runs as POST-middleware,
|
|
14670
|
+
// after Vite's built-in static file serving and SPA fallback.
|
|
14671
|
+
configureServer(server) {
|
|
14672
|
+
return () => {
|
|
14673
|
+
server.middlewares.use(async (req, res, next) => {
|
|
14674
|
+
const url = req.url ?? "";
|
|
14675
|
+
if (url !== "/" && url !== "/index.html" && !url.startsWith("/?")) return next();
|
|
14676
|
+
const accept = req.headers?.accept ?? "";
|
|
14677
|
+
if (!accept.includes("text/html")) return next();
|
|
14678
|
+
try {
|
|
14679
|
+
const transformed = await server.transformIndexHtml(url, devHtml);
|
|
14680
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
14681
|
+
res.end(transformed);
|
|
14682
|
+
} catch (e) {
|
|
14683
|
+
res.writeHead(200, { "Content-Type": "text/html; charset=utf-8" });
|
|
14684
|
+
res.end(devHtml);
|
|
14685
|
+
}
|
|
14686
|
+
});
|
|
14687
|
+
};
|
|
14688
|
+
}
|
|
14689
|
+
};
|
|
14604
14690
|
let deployInFlight = false;
|
|
14605
14691
|
const compileDeployPlugin = {
|
|
14606
14692
|
name: "mindmatrix-dev-compile-deploy",
|
|
@@ -14632,6 +14718,9 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
14632
14718
|
};
|
|
14633
14719
|
const viteConfig = {
|
|
14634
14720
|
root: process.cwd(),
|
|
14721
|
+
// 'custom' suppresses "Could not auto-determine entry point" warning
|
|
14722
|
+
// since we serve a virtual index.html via the htmlPlugin.
|
|
14723
|
+
appType: "custom",
|
|
14635
14724
|
server: {
|
|
14636
14725
|
port,
|
|
14637
14726
|
open,
|
|
@@ -14643,6 +14732,7 @@ createRoot(document.getElementById('root')).render(React.createElement(App));
|
|
|
14643
14732
|
}
|
|
14644
14733
|
},
|
|
14645
14734
|
plugins: [
|
|
14735
|
+
htmlPlugin,
|
|
14646
14736
|
mindmatrixReact(pluginOpts),
|
|
14647
14737
|
compileDeployPlugin,
|
|
14648
14738
|
devPlayerPlugin,
|
package/dist/index.mjs
CHANGED
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@mmapp/react-compiler",
|
|
3
|
-
"version": "0.1.0-alpha.
|
|
3
|
+
"version": "0.1.0-alpha.16",
|
|
4
4
|
"description": "Babel plugin + Vite integration for compiling React workflows to Pure Form IR",
|
|
5
5
|
"main": "dist/index.js",
|
|
6
6
|
"module": "dist/index.mjs",
|
|
@@ -66,7 +66,7 @@
|
|
|
66
66
|
"@babel/plugin-syntax-typescript": "^7.24.0",
|
|
67
67
|
"@babel/traverse": "^7.24.0",
|
|
68
68
|
"@babel/types": "^7.24.0",
|
|
69
|
-
"@mmapp/player-core": "^0.1.0-alpha.
|
|
69
|
+
"@mmapp/player-core": "^0.1.0-alpha.16",
|
|
70
70
|
"glob": "^10.3.10"
|
|
71
71
|
},
|
|
72
72
|
"peerDependencies": {
|