@mmapp/react-compiler 0.1.0-alpha.19 → 0.1.0-alpha.20
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-4FP5DXY4.mjs +3456 -0
- package/dist/chunk-EYLOSECJ.mjs +544 -0
- package/dist/chunk-I6SSPILI.mjs +550 -0
- package/dist/chunk-U6F7CTHK.mjs +550 -0
- package/dist/chunk-XUQ5R6F3.mjs +213 -0
- package/dist/cli/index.js +13 -9
- package/dist/cli/index.mjs +4 -4
- package/dist/deploy-VAHWALWB.mjs +9 -0
- package/dist/dev-server.js +11 -7
- package/dist/dev-server.mjs +1 -1
- package/dist/index.js +12 -8
- package/dist/index.mjs +3 -3
- package/dist/init-AVZJHZYY.mjs +538 -0
- package/dist/project-decompiler-QCZYY4TW.mjs +7 -0
- package/dist/pull-5WJ4LW4U.mjs +109 -0
- package/mm-dev.db +0 -0
- package/package.json +2 -2
|
@@ -0,0 +1,538 @@
|
|
|
1
|
+
import {
|
|
2
|
+
__require
|
|
3
|
+
} from "./chunk-CIESM3BP.mjs";
|
|
4
|
+
|
|
5
|
+
// src/cli/init.ts
|
|
6
|
+
import { mkdirSync, writeFileSync, existsSync } from "fs";
|
|
7
|
+
import { join } from "path";
|
|
8
|
+
import { execSync } from "child_process";
|
|
9
|
+
function toTitleCase(slug) {
|
|
10
|
+
return slug.split("-").map((w) => w.charAt(0).toUpperCase() + w.slice(1)).join(" ");
|
|
11
|
+
}
|
|
12
|
+
function toPascalCase(slug) {
|
|
13
|
+
return slug.split("-").map((w) => w.charAt(0).toUpperCase() + w.slice(1)).join("");
|
|
14
|
+
}
|
|
15
|
+
function generatePackageJson(name) {
|
|
16
|
+
return JSON.stringify(
|
|
17
|
+
{
|
|
18
|
+
name: `@mmapp/blueprint-${name}`,
|
|
19
|
+
version: "0.1.0",
|
|
20
|
+
private: true,
|
|
21
|
+
type: "module",
|
|
22
|
+
scripts: {
|
|
23
|
+
build: "mmrc build --src . --out dist",
|
|
24
|
+
dev: "mmrc dev --src . --port 5199",
|
|
25
|
+
deploy: "mmrc deploy --build --src ."
|
|
26
|
+
},
|
|
27
|
+
dependencies: {
|
|
28
|
+
"@mmapp/react": "^0.1.0-alpha.1",
|
|
29
|
+
"react": "^18.0.0",
|
|
30
|
+
"react-dom": "^18.0.0"
|
|
31
|
+
},
|
|
32
|
+
devDependencies: {
|
|
33
|
+
"typescript": "^5.5.0",
|
|
34
|
+
"@types/react": "^18.0.0",
|
|
35
|
+
"@types/react-dom": "^18.0.0",
|
|
36
|
+
"vite": "^6.0.0",
|
|
37
|
+
"@mmapp/react-compiler": "^0.1.0-alpha.1"
|
|
38
|
+
}
|
|
39
|
+
},
|
|
40
|
+
null,
|
|
41
|
+
2
|
|
42
|
+
);
|
|
43
|
+
}
|
|
44
|
+
function generateMmConfig(name, opts) {
|
|
45
|
+
const title = toTitleCase(name);
|
|
46
|
+
const desc = opts.description ?? `${title} blueprint.`;
|
|
47
|
+
const icon = opts.icon ?? "box";
|
|
48
|
+
const author = opts.author ?? "MindMatrix";
|
|
49
|
+
return `import { defineBlueprint } from '@mmapp/react';
|
|
50
|
+
|
|
51
|
+
export default defineBlueprint({
|
|
52
|
+
slug: '${name}',
|
|
53
|
+
name: '${title}',
|
|
54
|
+
version: '1.0.0',
|
|
55
|
+
description: '${desc}',
|
|
56
|
+
author: '${author}',
|
|
57
|
+
icon: '${icon}',
|
|
58
|
+
mode: 'infer',
|
|
59
|
+
defaultRuntime: 'collaborative',
|
|
60
|
+
|
|
61
|
+
models: [
|
|
62
|
+
'models/item',
|
|
63
|
+
],
|
|
64
|
+
|
|
65
|
+
routes: [
|
|
66
|
+
{ path: '/', view: 'app/page', label: 'Home' },
|
|
67
|
+
],
|
|
68
|
+
|
|
69
|
+
dependencies: [],
|
|
70
|
+
});
|
|
71
|
+
`;
|
|
72
|
+
}
|
|
73
|
+
function generateIndexHtml(name) {
|
|
74
|
+
const title = toTitleCase(name);
|
|
75
|
+
return `<!DOCTYPE html>
|
|
76
|
+
<html lang="en">
|
|
77
|
+
<head>
|
|
78
|
+
<meta charset="UTF-8">
|
|
79
|
+
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
|
80
|
+
<title>${title} \u2014 MindMatrix Dev</title>
|
|
81
|
+
</head>
|
|
82
|
+
<body>
|
|
83
|
+
<div id="root"></div>
|
|
84
|
+
<script type="module" src="/__mm_dev_entry.tsx"></script>
|
|
85
|
+
</body>
|
|
86
|
+
</html>`;
|
|
87
|
+
}
|
|
88
|
+
function generateModel(name) {
|
|
89
|
+
const modelSlug = `${name}-item`;
|
|
90
|
+
const pascal = toPascalCase(name);
|
|
91
|
+
return `/**
|
|
92
|
+
* ${pascal} Item \u2014 data model with lifecycle states.
|
|
93
|
+
*
|
|
94
|
+
* States: draft \u2192 active \u2192 archived
|
|
95
|
+
*/
|
|
96
|
+
|
|
97
|
+
import { defineModel } from '@mmapp/react';
|
|
98
|
+
|
|
99
|
+
export interface ${pascal}ItemFields {
|
|
100
|
+
title: string;
|
|
101
|
+
description: string;
|
|
102
|
+
priority: 'low' | 'medium' | 'high';
|
|
103
|
+
createdAt: number;
|
|
104
|
+
}
|
|
105
|
+
|
|
106
|
+
export default defineModel({
|
|
107
|
+
slug: '${modelSlug}',
|
|
108
|
+
version: '1.0.0',
|
|
109
|
+
category: ['model', '${name}'],
|
|
110
|
+
|
|
111
|
+
fields: {
|
|
112
|
+
title: { type: 'string', required: true },
|
|
113
|
+
description: { type: 'string', default: '' },
|
|
114
|
+
priority: { type: 'string', default: 'medium', enum: ['low', 'medium', 'high'] },
|
|
115
|
+
createdAt: { type: 'number', default: 0 },
|
|
116
|
+
},
|
|
117
|
+
|
|
118
|
+
states: {
|
|
119
|
+
draft: {
|
|
120
|
+
type: 'initial',
|
|
121
|
+
onEnter: [
|
|
122
|
+
{ id: 'set-created', type: 'set_field', mode: 'auto', config: { field: 'createdAt', expression: 'NOW()' } },
|
|
123
|
+
],
|
|
124
|
+
},
|
|
125
|
+
active: {
|
|
126
|
+
onEnter: [
|
|
127
|
+
{ id: 'log-activated', type: 'log_event', mode: 'auto', config: { event: '${modelSlug}.activated' } },
|
|
128
|
+
],
|
|
129
|
+
},
|
|
130
|
+
archived: {
|
|
131
|
+
type: 'end',
|
|
132
|
+
},
|
|
133
|
+
},
|
|
134
|
+
|
|
135
|
+
transitions: {
|
|
136
|
+
activate: {
|
|
137
|
+
from: 'draft',
|
|
138
|
+
to: 'active',
|
|
139
|
+
description: 'Publish this item',
|
|
140
|
+
},
|
|
141
|
+
archive: {
|
|
142
|
+
from: 'active',
|
|
143
|
+
to: 'archived',
|
|
144
|
+
description: 'Archive this item',
|
|
145
|
+
},
|
|
146
|
+
},
|
|
147
|
+
});
|
|
148
|
+
`;
|
|
149
|
+
}
|
|
150
|
+
function generateTsconfig() {
|
|
151
|
+
return JSON.stringify(
|
|
152
|
+
{
|
|
153
|
+
compilerOptions: {
|
|
154
|
+
target: "ES2020",
|
|
155
|
+
module: "ESNext",
|
|
156
|
+
moduleResolution: "bundler",
|
|
157
|
+
jsx: "react-jsx",
|
|
158
|
+
strict: true,
|
|
159
|
+
esModuleInterop: true,
|
|
160
|
+
skipLibCheck: true,
|
|
161
|
+
forceConsistentCasingInFileNames: true,
|
|
162
|
+
declaration: false,
|
|
163
|
+
noEmit: true
|
|
164
|
+
},
|
|
165
|
+
include: ["**/*.ts", "**/*.tsx"],
|
|
166
|
+
exclude: ["node_modules", "dist"]
|
|
167
|
+
},
|
|
168
|
+
null,
|
|
169
|
+
2
|
|
170
|
+
);
|
|
171
|
+
}
|
|
172
|
+
function generateLayout(name) {
|
|
173
|
+
const title = toTitleCase(name);
|
|
174
|
+
return `/**
|
|
175
|
+
* @workflow slug="${name}-layout" version="1.0.0" category="view"
|
|
176
|
+
*
|
|
177
|
+
* Root layout with sidebar navigation.
|
|
178
|
+
*/
|
|
179
|
+
|
|
180
|
+
import {
|
|
181
|
+
Row,
|
|
182
|
+
Stack,
|
|
183
|
+
Slot,
|
|
184
|
+
Text,
|
|
185
|
+
Icon,
|
|
186
|
+
Button,
|
|
187
|
+
Divider,
|
|
188
|
+
} from '@mmapp/react/atoms';
|
|
189
|
+
import { useRouter } from '@mmapp/react';
|
|
190
|
+
|
|
191
|
+
export default function Layout({ children }: { children: React.ReactNode }) {
|
|
192
|
+
const router = useRouter();
|
|
193
|
+
|
|
194
|
+
return (
|
|
195
|
+
<Row gap={0} height="100vh" overflow="hidden">
|
|
196
|
+
{/* Sidebar */}
|
|
197
|
+
<Stack
|
|
198
|
+
width={240}
|
|
199
|
+
borderRight="1px solid token:border"
|
|
200
|
+
height="100vh"
|
|
201
|
+
background="token:surface"
|
|
202
|
+
>
|
|
203
|
+
<Row padding={12} gap={8} align="center" borderBottom="1px solid token:border">
|
|
204
|
+
<Icon name="box" size={20} color="token:primary" />
|
|
205
|
+
<Text variant="label" size="sm" value="${title}" />
|
|
206
|
+
</Row>
|
|
207
|
+
|
|
208
|
+
<Stack padding={8} gap={4}>
|
|
209
|
+
<Button variant="ghost" onPress={() => router.push('/')}>
|
|
210
|
+
<Row gap={8} align="center">
|
|
211
|
+
<Icon name="home" size={16} />
|
|
212
|
+
<Text size="sm" value="Home" />
|
|
213
|
+
</Row>
|
|
214
|
+
</Button>
|
|
215
|
+
<Button variant="ghost" onPress={() => router.push('/settings')}>
|
|
216
|
+
<Row gap={8} align="center">
|
|
217
|
+
<Icon name="settings" size={16} />
|
|
218
|
+
<Text size="sm" value="Settings" />
|
|
219
|
+
</Row>
|
|
220
|
+
</Button>
|
|
221
|
+
</Stack>
|
|
222
|
+
|
|
223
|
+
<Divider />
|
|
224
|
+
<Stack flex={1} />
|
|
225
|
+
<Row padding={12}>
|
|
226
|
+
<Text variant="muted" size="xs" value="v1.0.0" />
|
|
227
|
+
</Row>
|
|
228
|
+
</Stack>
|
|
229
|
+
|
|
230
|
+
{/* Main content */}
|
|
231
|
+
<Stack flex={1} overflow="auto">
|
|
232
|
+
{children}
|
|
233
|
+
</Stack>
|
|
234
|
+
</Row>
|
|
235
|
+
);
|
|
236
|
+
}
|
|
237
|
+
`;
|
|
238
|
+
}
|
|
239
|
+
function generatePage(name) {
|
|
240
|
+
const title = toTitleCase(name);
|
|
241
|
+
const pascal = toPascalCase(name);
|
|
242
|
+
return `/**
|
|
243
|
+
* @workflow slug="${name}-home" version="1.0.0" category="view"
|
|
244
|
+
*
|
|
245
|
+
* Index page \u2014 full CRUD with create form, search, transitions, and delete.
|
|
246
|
+
*/
|
|
247
|
+
|
|
248
|
+
import { useState } from 'react';
|
|
249
|
+
import itemModel from '../models/item';
|
|
250
|
+
import {
|
|
251
|
+
useQuery, useMutation, useRouter,
|
|
252
|
+
Stack, Row, Text, Button, Icon, Card, Show, TextInput, Badge, Select,
|
|
253
|
+
} from '@mmapp/react';
|
|
254
|
+
|
|
255
|
+
export default function ${pascal}Home() {
|
|
256
|
+
const { data: items, loading } = useQuery(itemModel);
|
|
257
|
+
const mutation = useMutation(itemModel);
|
|
258
|
+
const router = useRouter();
|
|
259
|
+
const [search, setSearch] = useState('');
|
|
260
|
+
const [showCreate, setShowCreate] = useState(false);
|
|
261
|
+
const [newTitle, setNewTitle] = useState('');
|
|
262
|
+
const [newDescription, setNewDescription] = useState('');
|
|
263
|
+
const [newPriority, setNewPriority] = useState('medium');
|
|
264
|
+
const [editingId, setEditingId] = useState<string | null>(null);
|
|
265
|
+
const [editTitle, setEditTitle] = useState('');
|
|
266
|
+
|
|
267
|
+
const visibleItems = items.filter(i => i.state !== 'archived');
|
|
268
|
+
const filtered = search
|
|
269
|
+
? visibleItems.filter(i => i.fields.title.toLowerCase().includes(search.toLowerCase()))
|
|
270
|
+
: visibleItems;
|
|
271
|
+
|
|
272
|
+
const handleCreate = async () => {
|
|
273
|
+
if (!newTitle.trim()) return;
|
|
274
|
+
await mutation.create({ title: newTitle.trim(), description: newDescription, priority: newPriority });
|
|
275
|
+
setNewTitle('');
|
|
276
|
+
setNewDescription('');
|
|
277
|
+
setNewPriority('medium');
|
|
278
|
+
setShowCreate(false);
|
|
279
|
+
};
|
|
280
|
+
|
|
281
|
+
const handleUpdate = async (id: string) => {
|
|
282
|
+
if (!editTitle.trim()) return;
|
|
283
|
+
await mutation.update(id, { title: editTitle.trim() });
|
|
284
|
+
setEditingId(null);
|
|
285
|
+
};
|
|
286
|
+
|
|
287
|
+
return (
|
|
288
|
+
<Stack gap={24} padding={24}>
|
|
289
|
+
{/* Header */}
|
|
290
|
+
<Row justify="space-between" align="center">
|
|
291
|
+
<Stack gap={4}>
|
|
292
|
+
<Text variant="h3" weight="bold" value="${title}" />
|
|
293
|
+
<Text variant="muted" size="sm" value={\`\${visibleItems.length} item\${visibleItems.length !== 1 ? 's' : ''}\`} />
|
|
294
|
+
</Stack>
|
|
295
|
+
<Button variant="primary" onPress={() => setShowCreate(true)}>
|
|
296
|
+
<Row gap={6} align="center">
|
|
297
|
+
<Icon name="plus" size={16} />
|
|
298
|
+
<Text value="Add Item" />
|
|
299
|
+
</Row>
|
|
300
|
+
</Button>
|
|
301
|
+
</Row>
|
|
302
|
+
|
|
303
|
+
{/* Create form */}
|
|
304
|
+
<Show when={showCreate}>
|
|
305
|
+
<Card padding={16}>
|
|
306
|
+
<Stack gap={12}>
|
|
307
|
+
<Text weight="bold" value="New Item" />
|
|
308
|
+
<TextInput
|
|
309
|
+
value={newTitle}
|
|
310
|
+
onChange={setNewTitle}
|
|
311
|
+
placeholder="Item title (required)"
|
|
312
|
+
/>
|
|
313
|
+
<TextInput
|
|
314
|
+
value={newDescription}
|
|
315
|
+
onChange={setNewDescription}
|
|
316
|
+
placeholder="Description (optional)"
|
|
317
|
+
/>
|
|
318
|
+
<Select
|
|
319
|
+
value={newPriority}
|
|
320
|
+
onChange={setNewPriority}
|
|
321
|
+
options={[
|
|
322
|
+
{ label: 'Low', value: 'low' },
|
|
323
|
+
{ label: 'Medium', value: 'medium' },
|
|
324
|
+
{ label: 'High', value: 'high' },
|
|
325
|
+
]}
|
|
326
|
+
/>
|
|
327
|
+
<Row gap={8} justify="flex-end">
|
|
328
|
+
<Button variant="ghost" onPress={() => setShowCreate(false)}>
|
|
329
|
+
<Text value="Cancel" />
|
|
330
|
+
</Button>
|
|
331
|
+
<Button variant="primary" onPress={handleCreate}>
|
|
332
|
+
<Text value="Create" />
|
|
333
|
+
</Button>
|
|
334
|
+
</Row>
|
|
335
|
+
</Stack>
|
|
336
|
+
</Card>
|
|
337
|
+
</Show>
|
|
338
|
+
|
|
339
|
+
{/* Search */}
|
|
340
|
+
<TextInput
|
|
341
|
+
value={search}
|
|
342
|
+
onChange={setSearch}
|
|
343
|
+
placeholder="Search items..."
|
|
344
|
+
/>
|
|
345
|
+
|
|
346
|
+
{/* Loading */}
|
|
347
|
+
<Show when={loading}>
|
|
348
|
+
<Card padding={32}>
|
|
349
|
+
<Stack align="center">
|
|
350
|
+
<Text variant="muted" value="Loading..." />
|
|
351
|
+
</Stack>
|
|
352
|
+
</Card>
|
|
353
|
+
</Show>
|
|
354
|
+
|
|
355
|
+
{/* Empty state */}
|
|
356
|
+
<Show when={!loading && filtered.length === 0}>
|
|
357
|
+
<Card padding={32}>
|
|
358
|
+
<Stack align="center" gap={12}>
|
|
359
|
+
<Icon name="inbox" size={40} color="token:muted" />
|
|
360
|
+
<Text variant="muted" value={search ? 'No items match your search' : 'No items yet'} />
|
|
361
|
+
<Show when={!search}>
|
|
362
|
+
<Button variant="outline" onPress={() => setShowCreate(true)}>
|
|
363
|
+
<Text value="Create your first item" />
|
|
364
|
+
</Button>
|
|
365
|
+
</Show>
|
|
366
|
+
</Stack>
|
|
367
|
+
</Card>
|
|
368
|
+
</Show>
|
|
369
|
+
|
|
370
|
+
{/* Item list */}
|
|
371
|
+
<Show when={!loading && filtered.length > 0}>
|
|
372
|
+
<Stack gap={4}>
|
|
373
|
+
{filtered.map((item: any) => (
|
|
374
|
+
<Card key={item.id} padding={12}>
|
|
375
|
+
<Row align="center" gap={12}>
|
|
376
|
+
<Stack flex={1} gap={2}>
|
|
377
|
+
<Show when={editingId === item.id}>
|
|
378
|
+
<Row gap={8}>
|
|
379
|
+
<TextInput
|
|
380
|
+
value={editTitle}
|
|
381
|
+
onChange={setEditTitle}
|
|
382
|
+
placeholder="Title"
|
|
383
|
+
/>
|
|
384
|
+
<Button variant="primary" size="sm" onPress={() => handleUpdate(item.id)}>
|
|
385
|
+
<Text value="Save" />
|
|
386
|
+
</Button>
|
|
387
|
+
<Button variant="ghost" size="sm" onPress={() => setEditingId(null)}>
|
|
388
|
+
<Text value="Cancel" />
|
|
389
|
+
</Button>
|
|
390
|
+
</Row>
|
|
391
|
+
</Show>
|
|
392
|
+
<Show when={editingId !== item.id}>
|
|
393
|
+
<Text
|
|
394
|
+
weight="medium"
|
|
395
|
+
value={item.fields.title}
|
|
396
|
+
onPress={() => { setEditingId(item.id); setEditTitle(item.fields.title); }}
|
|
397
|
+
/>
|
|
398
|
+
<Show when={!!item.fields.description}>
|
|
399
|
+
<Text size="sm" variant="muted" value={item.fields.description} />
|
|
400
|
+
</Show>
|
|
401
|
+
</Show>
|
|
402
|
+
</Stack>
|
|
403
|
+
<Badge value={item.fields.priority} />
|
|
404
|
+
<Badge value={item.state} variant={item.state === 'active' ? 'success' : 'default'} />
|
|
405
|
+
{/* Transition buttons */}
|
|
406
|
+
<Show when={item.state === 'draft'}>
|
|
407
|
+
<Button variant="outline" size="sm" onPress={() => mutation.transition(item.id, 'activate')}>
|
|
408
|
+
<Text value="Activate" />
|
|
409
|
+
</Button>
|
|
410
|
+
</Show>
|
|
411
|
+
<Show when={item.state === 'active'}>
|
|
412
|
+
<Button variant="ghost" size="sm" onPress={() => mutation.transition(item.id, 'archive')}>
|
|
413
|
+
<Text value="Archive" />
|
|
414
|
+
</Button>
|
|
415
|
+
</Show>
|
|
416
|
+
<Button variant="ghost" size="sm" onPress={() => mutation.remove(item.id)}>
|
|
417
|
+
<Icon name="trash" size={14} color="token:error" />
|
|
418
|
+
</Button>
|
|
419
|
+
</Row>
|
|
420
|
+
</Card>
|
|
421
|
+
))}
|
|
422
|
+
</Stack>
|
|
423
|
+
</Show>
|
|
424
|
+
</Stack>
|
|
425
|
+
);
|
|
426
|
+
}
|
|
427
|
+
`;
|
|
428
|
+
}
|
|
429
|
+
function generateGitignore() {
|
|
430
|
+
return `node_modules
|
|
431
|
+
dist
|
|
432
|
+
dev.db
|
|
433
|
+
.env
|
|
434
|
+
.env.local
|
|
435
|
+
.env.*.local
|
|
436
|
+
*.log
|
|
437
|
+
.DS_Store
|
|
438
|
+
`;
|
|
439
|
+
}
|
|
440
|
+
function isInsideGitRepo(dir) {
|
|
441
|
+
try {
|
|
442
|
+
execSync("git rev-parse --git-dir", { cwd: dir, stdio: "pipe" });
|
|
443
|
+
return true;
|
|
444
|
+
} catch {
|
|
445
|
+
return false;
|
|
446
|
+
}
|
|
447
|
+
}
|
|
448
|
+
function scaffoldGit(dir) {
|
|
449
|
+
if (isInsideGitRepo(dir)) {
|
|
450
|
+
return "Skipped git init (inside existing repo)";
|
|
451
|
+
}
|
|
452
|
+
try {
|
|
453
|
+
execSync("git init", { cwd: dir, stdio: "pipe" });
|
|
454
|
+
execSync("git add -A", { cwd: dir, stdio: "pipe" });
|
|
455
|
+
execSync('git commit -m "Initial commit from mmrc init"', { cwd: dir, stdio: "pipe" });
|
|
456
|
+
return "Initialized git repository";
|
|
457
|
+
} catch (e) {
|
|
458
|
+
return `Git init failed: ${e.message}`;
|
|
459
|
+
}
|
|
460
|
+
}
|
|
461
|
+
async function init(options) {
|
|
462
|
+
const { name } = options;
|
|
463
|
+
if (!/^[a-z][a-z0-9-]*$/.test(name)) {
|
|
464
|
+
console.error(`[mmrc] Error: Blueprint name must be lowercase alphanumeric with hyphens (got "${name}")`);
|
|
465
|
+
process.exit(1);
|
|
466
|
+
}
|
|
467
|
+
const cwd = process.cwd();
|
|
468
|
+
const packagesDir = existsSync(join(cwd, "packages")) ? join(cwd, "packages") : cwd;
|
|
469
|
+
const blueprintDir = join(packagesDir, `blueprint-${name}`);
|
|
470
|
+
if (existsSync(blueprintDir)) {
|
|
471
|
+
console.error(`[mmrc] Error: Directory already exists: ${blueprintDir}`);
|
|
472
|
+
process.exit(1);
|
|
473
|
+
}
|
|
474
|
+
try {
|
|
475
|
+
const pkgPath = __require.resolve("@mmapp/react-compiler/package.json");
|
|
476
|
+
const { version } = __require(pkgPath);
|
|
477
|
+
console.log(`[mmrc] v${version}`);
|
|
478
|
+
} catch {
|
|
479
|
+
try {
|
|
480
|
+
const { readFileSync } = __require("fs");
|
|
481
|
+
const { resolve, dirname } = __require("path");
|
|
482
|
+
const pkg = JSON.parse(readFileSync(resolve(__dirname, "../../package.json"), "utf-8"));
|
|
483
|
+
console.log(`[mmrc] v${pkg.version}`);
|
|
484
|
+
} catch {
|
|
485
|
+
console.log(`[mmrc]`);
|
|
486
|
+
}
|
|
487
|
+
}
|
|
488
|
+
console.log(`[mmrc] Creating blueprint: ${name}
|
|
489
|
+
`);
|
|
490
|
+
mkdirSync(join(blueprintDir, "models"), { recursive: true });
|
|
491
|
+
mkdirSync(join(blueprintDir, "app"), { recursive: true });
|
|
492
|
+
const { generateMmrcConfig } = await import("./config-RVLNOB24.mjs");
|
|
493
|
+
const files = [
|
|
494
|
+
["package.json", generatePackageJson(name)],
|
|
495
|
+
["tsconfig.json", generateTsconfig()],
|
|
496
|
+
["mm.config.ts", generateMmConfig(name, options)],
|
|
497
|
+
["mmrc.config.ts", generateMmrcConfig()],
|
|
498
|
+
[".gitignore", generateGitignore()],
|
|
499
|
+
["index.html", generateIndexHtml(name)],
|
|
500
|
+
["models/item.ts", generateModel(name)],
|
|
501
|
+
["app/layout.tsx", generateLayout(name)],
|
|
502
|
+
["app/page.tsx", generatePage(name)]
|
|
503
|
+
];
|
|
504
|
+
for (const [relPath, content] of files) {
|
|
505
|
+
const fullPath = join(blueprintDir, relPath);
|
|
506
|
+
writeFileSync(fullPath, content, "utf-8");
|
|
507
|
+
console.log(` + ${relPath}`);
|
|
508
|
+
}
|
|
509
|
+
const gitMessage = scaffoldGit(blueprintDir);
|
|
510
|
+
console.log(` ${gitMessage}`);
|
|
511
|
+
console.log(`
|
|
512
|
+
[mmrc] Installing dependencies...`);
|
|
513
|
+
const { execSync: execSync2 } = __require("child_process");
|
|
514
|
+
try {
|
|
515
|
+
const usesPnpm = existsSync(join(cwd, "pnpm-lock.yaml")) || existsSync(join(cwd, "pnpm-workspace.yaml"));
|
|
516
|
+
const usesYarn = existsSync(join(cwd, "yarn.lock"));
|
|
517
|
+
const pm = usesPnpm ? "pnpm" : usesYarn ? "yarn" : "npm";
|
|
518
|
+
execSync2(`${pm} install`, { cwd: blueprintDir, stdio: "inherit" });
|
|
519
|
+
console.log(`[mmrc] Dependencies installed with ${pm}`);
|
|
520
|
+
} catch (e) {
|
|
521
|
+
console.warn(`[mmrc] Warning: Could not auto-install dependencies. Run 'npm install' manually in the project directory.`);
|
|
522
|
+
}
|
|
523
|
+
const title = toTitleCase(name);
|
|
524
|
+
const relDir = blueprintDir.startsWith(cwd) ? blueprintDir.slice(cwd.length + 1) : blueprintDir;
|
|
525
|
+
console.log(`
|
|
526
|
+
[mmrc] Blueprint "${title}" created at:
|
|
527
|
+
${blueprintDir}
|
|
528
|
+
|
|
529
|
+
Next steps:
|
|
530
|
+
1. cd ${relDir}
|
|
531
|
+
2. mmrc dev # Start dev server with live preview
|
|
532
|
+
`);
|
|
533
|
+
}
|
|
534
|
+
export {
|
|
535
|
+
init,
|
|
536
|
+
isInsideGitRepo,
|
|
537
|
+
scaffoldGit
|
|
538
|
+
};
|
|
@@ -0,0 +1,109 @@
|
|
|
1
|
+
import {
|
|
2
|
+
decompileProjectEnhanced
|
|
3
|
+
} from "./chunk-4FP5DXY4.mjs";
|
|
4
|
+
import "./chunk-CIESM3BP.mjs";
|
|
5
|
+
|
|
6
|
+
// src/cli/pull.ts
|
|
7
|
+
import { mkdirSync, writeFileSync } from "fs";
|
|
8
|
+
import { join, dirname } from "path";
|
|
9
|
+
async function pull(options) {
|
|
10
|
+
const { slug, apiUrl, token } = options;
|
|
11
|
+
const outDir = options.outDir ?? slug;
|
|
12
|
+
console.log(`[mmrc pull] Fetching "${slug}" from ${apiUrl}...`);
|
|
13
|
+
const ir = await fetchDefinition(apiUrl, token, slug);
|
|
14
|
+
if (!ir) {
|
|
15
|
+
throw new Error(`Definition "${slug}" not found`);
|
|
16
|
+
}
|
|
17
|
+
console.log(` Found: ${ir.name || ir.slug} (${ir.category || "workflow"}, v${ir.version || "1.0.0"})`);
|
|
18
|
+
console.log(` Fields: ${ir.fields?.length ?? 0}, States: ${ir.states?.length ?? 0}, Transitions: ${ir.transitions?.length ?? 0}`);
|
|
19
|
+
const result = decompileProjectEnhanced(ir);
|
|
20
|
+
mkdirSync(outDir, { recursive: true });
|
|
21
|
+
const filesWritten = [];
|
|
22
|
+
for (const file of result.files) {
|
|
23
|
+
const filePath = join(outDir, file.path);
|
|
24
|
+
mkdirSync(dirname(filePath), { recursive: true });
|
|
25
|
+
writeFileSync(filePath, file.content, "utf-8");
|
|
26
|
+
filesWritten.push(file.path);
|
|
27
|
+
console.log(` + ${file.path}`);
|
|
28
|
+
}
|
|
29
|
+
console.log(`
|
|
30
|
+
[mmrc pull] Scaffolded ${filesWritten.length} files in ${outDir}/`);
|
|
31
|
+
console.log(` Entry: ${result.entryFile}`);
|
|
32
|
+
console.log(`
|
|
33
|
+
Next steps:`);
|
|
34
|
+
console.log(` cd ${outDir}`);
|
|
35
|
+
console.log(` mmrc dev --src .`);
|
|
36
|
+
console.log(` # Edit files, then deploy back:`);
|
|
37
|
+
console.log(` mmrc deploy --src . --api-url ${apiUrl} --token <token>`);
|
|
38
|
+
return { slug, filesWritten, outDir };
|
|
39
|
+
}
|
|
40
|
+
async function fetchDefinition(apiUrl, token, slug) {
|
|
41
|
+
const bySlug = await tryFetch(`${apiUrl}/workflow/definitions?slug=${encodeURIComponent(slug)}`, token);
|
|
42
|
+
if (bySlug) return bySlug;
|
|
43
|
+
const bySearch = await tryFetch(`${apiUrl}/workflow/catalog/search?q=${encodeURIComponent(slug)}`, token);
|
|
44
|
+
if (bySearch) return bySearch;
|
|
45
|
+
const modulesRes = await fetch(`${apiUrl}/modules`, {
|
|
46
|
+
headers: { Authorization: `Bearer ${token}` }
|
|
47
|
+
});
|
|
48
|
+
if (modulesRes.ok) {
|
|
49
|
+
const modules = await modulesRes.json();
|
|
50
|
+
const mod = modules.find((m) => m.module_id === slug || m.name?.toLowerCase() === slug.toLowerCase());
|
|
51
|
+
if (mod) {
|
|
52
|
+
const fullRes = await fetch(`${apiUrl}/workflow/definitions/${mod.module_id}`, {
|
|
53
|
+
headers: { Authorization: `Bearer ${token}` }
|
|
54
|
+
});
|
|
55
|
+
if (fullRes.ok) {
|
|
56
|
+
return normalizeApiResponse(await fullRes.json());
|
|
57
|
+
}
|
|
58
|
+
}
|
|
59
|
+
}
|
|
60
|
+
return null;
|
|
61
|
+
}
|
|
62
|
+
async function tryFetch(url, token) {
|
|
63
|
+
try {
|
|
64
|
+
const res = await fetch(url, {
|
|
65
|
+
headers: { Authorization: `Bearer ${token}` }
|
|
66
|
+
});
|
|
67
|
+
if (!res.ok) return null;
|
|
68
|
+
const data = await res.json();
|
|
69
|
+
if (Array.isArray(data)) {
|
|
70
|
+
if (data.length === 0) return null;
|
|
71
|
+
return normalizeApiResponse(data[0]);
|
|
72
|
+
}
|
|
73
|
+
const items = data.items ?? data.data;
|
|
74
|
+
if (items && Array.isArray(items)) {
|
|
75
|
+
if (items.length === 0) return null;
|
|
76
|
+
return normalizeApiResponse(items[0]);
|
|
77
|
+
}
|
|
78
|
+
return normalizeApiResponse(data);
|
|
79
|
+
} catch {
|
|
80
|
+
return null;
|
|
81
|
+
}
|
|
82
|
+
}
|
|
83
|
+
function normalizeApiResponse(def) {
|
|
84
|
+
const ir = {
|
|
85
|
+
slug: def.slug,
|
|
86
|
+
name: def.name,
|
|
87
|
+
version: def.version || "1.0.0",
|
|
88
|
+
description: def.description || "",
|
|
89
|
+
category: def.category || "workflow",
|
|
90
|
+
fields: def.fields || [],
|
|
91
|
+
states: def.states || [],
|
|
92
|
+
transitions: def.transitions || [],
|
|
93
|
+
roles: def.roles || [],
|
|
94
|
+
on_event: def.on_event || [],
|
|
95
|
+
metadata: {
|
|
96
|
+
...def.metadata || {}
|
|
97
|
+
}
|
|
98
|
+
};
|
|
99
|
+
const experience = def.view || def.experience || def.metadata?.experience;
|
|
100
|
+
if (experience) {
|
|
101
|
+
ir.experience = experience;
|
|
102
|
+
ir.metadata.experience = experience;
|
|
103
|
+
ir.view = experience;
|
|
104
|
+
}
|
|
105
|
+
return ir;
|
|
106
|
+
}
|
|
107
|
+
export {
|
|
108
|
+
pull
|
|
109
|
+
};
|
package/mm-dev.db
ADDED
|
Binary file
|
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.20",
|
|
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.20",
|
|
70
70
|
"glob": "^10.3.10"
|
|
71
71
|
},
|
|
72
72
|
"peerDependencies": {
|