create-donobu-plugin 1.2.0 → 1.3.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +55 -45
- package/index.js +93 -148
- package/package.json +2 -2
package/README.md
CHANGED
|
@@ -36,63 +36,73 @@ Provide the plugin name as the first argument. Names may include lowercase lette
|
|
|
36
36
|
|
|
37
37
|
## Generated project layout
|
|
38
38
|
|
|
39
|
-
| Item
|
|
40
|
-
|
|
|
41
|
-
| `package.json`
|
|
42
|
-
| `tsconfig.json`
|
|
43
|
-
| `esbuild.config.mjs`
|
|
44
|
-
| `src/index.ts`
|
|
45
|
-
| `
|
|
46
|
-
| `src/PluginDependencies.ts` | Strongly typed view of the objects Donobu injects into your plugin (`donobu` and `playwright`). |
|
|
47
|
-
| `README.md` | Template instructions for the team that owns the generated plugin. |
|
|
39
|
+
| Item | Description |
|
|
40
|
+
| -------------------- | ------------------------------------------------------------------------------------------------------ |
|
|
41
|
+
| `package.json` | Private ESM package whose `main`/`types` fields point to `dist/`. |
|
|
42
|
+
| `tsconfig.json` | NodeNext compiler settings that emit JS + declarations into `dist/`. |
|
|
43
|
+
| `esbuild.config.mjs` | Bundles the compiled JS into `dist/index.mjs`, keeping Donobu and Playwright as external dependencies. |
|
|
44
|
+
| `src/index.ts` | Entry point that must export `loadCustomTools(dependencies)` and return an array of tools. |
|
|
45
|
+
| `README.md` | Template instructions for the team that owns the generated plugin. |
|
|
48
46
|
|
|
49
47
|
Because the scaffold reuses the Donobu versions already on disk, regenerating the project after a Donobu upgrade is the fastest way to stay in lockstep.
|
|
50
48
|
|
|
51
49
|
## Authoring tools
|
|
52
50
|
|
|
53
|
-
Every plugin exports `loadCustomTools(dependencies)` and returns an array of `Tool` instances.
|
|
51
|
+
Every plugin's `index.ts` exports `loadCustomTools(dependencies)` and returns an array of `Tool` instances.
|
|
54
52
|
|
|
55
53
|
```ts
|
|
56
|
-
//
|
|
54
|
+
// Note that non-type imports from 'donobu' should be extracted from the given
|
|
55
|
+
// 'deps.donobu' parameter in 'loadCustomTools'.
|
|
56
|
+
import type { Tool, PluginDependencies } from 'donobu';
|
|
57
57
|
import { z } from 'zod/v4';
|
|
58
|
-
|
|
59
|
-
|
|
60
|
-
|
|
61
|
-
|
|
62
|
-
|
|
63
|
-
|
|
64
|
-
|
|
65
|
-
|
|
66
|
-
|
|
67
|
-
|
|
68
|
-
|
|
69
|
-
|
|
70
|
-
|
|
71
|
-
|
|
72
|
-
|
|
73
|
-
|
|
74
|
-
|
|
75
|
-
|
|
76
|
-
|
|
77
|
-
|
|
78
|
-
|
|
79
|
-
|
|
80
|
-
|
|
81
|
-
|
|
82
|
-
|
|
58
|
+
|
|
59
|
+
export async function loadCustomTools(
|
|
60
|
+
deps: PluginDependencies
|
|
61
|
+
): Promise<Tool<any, any>[]> {
|
|
62
|
+
// Register your custom tools here.
|
|
63
|
+
return [
|
|
64
|
+
// Here is a small example tool for reference.
|
|
65
|
+
deps.donobu.createTool(deps, {
|
|
66
|
+
// The tool name, description, and schema are shared with the Donobu agent
|
|
67
|
+
// to help it decide when, where, and how this tool will be called.
|
|
68
|
+
name: 'judgeWebpageTitle',
|
|
69
|
+
description: 'Judge the quality of a title to a webpage.',
|
|
70
|
+
schema: z.object({ webpageTitle: z.string() }),
|
|
71
|
+
// This example tool uses a GPT/LLM so we call it out here.
|
|
72
|
+
requiresGpt: true,
|
|
73
|
+
call: async (context, parameters) => {
|
|
74
|
+
// 'requiredGpt' is true, so we are guaranteed a valid gptClient handle.
|
|
75
|
+
const resp = await context.gptClient!.getMessage([
|
|
76
|
+
{
|
|
77
|
+
type: 'user',
|
|
78
|
+
items: [
|
|
79
|
+
{
|
|
80
|
+
type: 'text',
|
|
81
|
+
text: `Judge the quality of this webpage title on a scale of 1 (worst) to 10 (best) and explain why.
|
|
82
|
+
Title: ${parameters.webpageTitle}`,
|
|
83
|
+
},
|
|
84
|
+
],
|
|
85
|
+
},
|
|
86
|
+
]);
|
|
87
|
+
return {
|
|
88
|
+
// Returning false or throwing an exception will signal tool call failure.
|
|
89
|
+
isSuccessful: true,
|
|
90
|
+
// This is what is shared back with the Donobu agent.
|
|
91
|
+
forLlm: resp.text,
|
|
92
|
+
// Metadata is persisted with the tool call result, but is not shared
|
|
93
|
+
// with the Donobu agent, so this can be used to store large complex data.
|
|
94
|
+
metadata: null,
|
|
95
|
+
};
|
|
96
|
+
},
|
|
97
|
+
}),
|
|
98
|
+
];
|
|
83
99
|
}
|
|
84
100
|
```
|
|
85
101
|
|
|
86
|
-
Guidelines:
|
|
87
|
-
|
|
88
|
-
- Define Zod schemas for every tool so inputs from humans or the LLM are validated before your code runs.
|
|
89
|
-
- Use `callFromGpt` if the GPT path needs different behavior; otherwise the helper routes GPT calls through `call`.
|
|
90
|
-
- Request `requiresGpt: true` only when the tool cannot run without LLM assistance.
|
|
91
|
-
|
|
92
102
|
## Working with injected dependencies
|
|
93
103
|
|
|
94
|
-
- `
|
|
95
|
-
- `
|
|
104
|
+
- `deps.donobu` exposes the public SDK: the base `Tool` class, `PlaywrightUtils`, logging helpers, type definitions, etc.
|
|
105
|
+
- `deps.playwright` points to the same Playwright build Donobu uses, so your plugin and the core runtime stay aligned.
|
|
96
106
|
- Feel free to add your own dependencies; `esbuild` bundles everything except the packages listed in `external`.
|
|
97
107
|
|
|
98
108
|
## Build and install
|
|
@@ -102,7 +112,7 @@ npm run build
|
|
|
102
112
|
npm exec install-donobu-plugin
|
|
103
113
|
```
|
|
104
114
|
|
|
105
|
-
`npm run build` cleans `dist/`, reinstalls dependencies (to ensure version parity), runs TypeScript, and bundles the result. `npm exec install-donobu-plugin` validates the current folder, infers the plugin name (prefers `package.json`, falls back to the git repo name or `$USER`), and copies `dist/` into the Donobu plugins directory. Restart Donobu after
|
|
115
|
+
`npm run build` cleans `dist/`, reinstalls dependencies (to ensure version parity), runs TypeScript, and bundles the result. `npm exec install-donobu-plugin` validates the current folder, infers the plugin name (prefers `package.json`, falls back to the git repo name or `$USER`), and copies `dist/` into the Donobu plugins directory. Restart Donobu after installing so the new bundle is loaded.
|
|
106
116
|
|
|
107
117
|
## Recommended development loop
|
|
108
118
|
|
package/index.js
CHANGED
|
@@ -1,26 +1,26 @@
|
|
|
1
1
|
#!/usr/bin/env node
|
|
2
2
|
|
|
3
|
-
import { mkdir, writeFile, readFile } from
|
|
4
|
-
import { join, dirname } from
|
|
5
|
-
import { createRequire } from
|
|
3
|
+
import { mkdir, writeFile, readFile } from 'fs/promises';
|
|
4
|
+
import { join, dirname } from 'path';
|
|
5
|
+
import { createRequire } from 'module';
|
|
6
6
|
|
|
7
7
|
async function getDonobuVersions() {
|
|
8
8
|
try {
|
|
9
9
|
// Find the donobu package.json by resolving the module path
|
|
10
10
|
const require = createRequire(import.meta.url);
|
|
11
|
-
const donobuPath = require.resolve(
|
|
11
|
+
const donobuPath = require.resolve('donobu');
|
|
12
12
|
// Navigate up to find package.json (donobu path might point to dist/main.js)
|
|
13
13
|
const donobuDir = dirname(donobuPath);
|
|
14
|
-
let packageJsonPath = join(donobuDir,
|
|
14
|
+
let packageJsonPath = join(donobuDir, 'package.json');
|
|
15
15
|
|
|
16
16
|
try {
|
|
17
|
-
await readFile(packageJsonPath,
|
|
17
|
+
await readFile(packageJsonPath, 'utf8');
|
|
18
18
|
} catch {
|
|
19
19
|
// If not found, try going up one more directory
|
|
20
|
-
packageJsonPath = join(dirname(donobuDir),
|
|
20
|
+
packageJsonPath = join(dirname(donobuDir), 'package.json');
|
|
21
21
|
}
|
|
22
22
|
|
|
23
|
-
const packageJsonContent = await readFile(packageJsonPath,
|
|
23
|
+
const packageJsonContent = await readFile(packageJsonPath, 'utf8');
|
|
24
24
|
const donobuPackageJson = JSON.parse(packageJsonContent);
|
|
25
25
|
|
|
26
26
|
return {
|
|
@@ -28,19 +28,19 @@ async function getDonobuVersions() {
|
|
|
28
28
|
playwrightVersion:
|
|
29
29
|
donobuPackageJson.devDependencies?.playwright ||
|
|
30
30
|
donobuPackageJson.dependencies?.playwright ||
|
|
31
|
-
donobuPackageJson.peerDependencies?.playwright?.replace(/^>=/,
|
|
32
|
-
|
|
31
|
+
donobuPackageJson.peerDependencies?.playwright?.replace(/^>=/, '') ||
|
|
32
|
+
'1.53.2',
|
|
33
33
|
playwrightTestVersion:
|
|
34
|
-
donobuPackageJson.devDependencies?.[
|
|
35
|
-
donobuPackageJson.dependencies?.[
|
|
36
|
-
donobuPackageJson.peerDependencies?.[
|
|
34
|
+
donobuPackageJson.devDependencies?.['@playwright/test'] ||
|
|
35
|
+
donobuPackageJson.dependencies?.['@playwright/test'] ||
|
|
36
|
+
donobuPackageJson.peerDependencies?.['@playwright/test']?.replace(
|
|
37
37
|
/^>=/,
|
|
38
|
-
|
|
38
|
+
''
|
|
39
39
|
) ||
|
|
40
|
-
|
|
40
|
+
'1.53.2',
|
|
41
41
|
};
|
|
42
42
|
} catch (error) {
|
|
43
|
-
console.error(
|
|
43
|
+
console.error('Could not read the Donobu package.json file!');
|
|
44
44
|
throw error;
|
|
45
45
|
}
|
|
46
46
|
}
|
|
@@ -54,8 +54,8 @@ async function createPluginStructure(pluginName) {
|
|
|
54
54
|
console.log(`Using Playwright version: ${versions.playwrightVersion}`);
|
|
55
55
|
// Create directory structure
|
|
56
56
|
await mkdir(pluginDir, { recursive: true });
|
|
57
|
-
await mkdir(join(pluginDir,
|
|
58
|
-
console.log(
|
|
57
|
+
await mkdir(join(pluginDir, 'src'), { recursive: true });
|
|
58
|
+
console.log('Creating files...');
|
|
59
59
|
await createTemplateFiles(pluginDir, pluginName, versions);
|
|
60
60
|
console.log(`\nPlugin "${pluginName}" created successfully!`);
|
|
61
61
|
console.log(`\nNext steps:`);
|
|
@@ -69,71 +69,71 @@ async function createTemplateFiles(pluginDir, pluginName, versions) {
|
|
|
69
69
|
// Create package.json
|
|
70
70
|
const packageJson = {
|
|
71
71
|
name: pluginName,
|
|
72
|
-
version:
|
|
72
|
+
version: '1.0.0',
|
|
73
73
|
private: true,
|
|
74
|
-
type:
|
|
75
|
-
description:
|
|
76
|
-
main:
|
|
77
|
-
types:
|
|
74
|
+
type: 'module',
|
|
75
|
+
description: 'Custom tools for use by Donobu.',
|
|
76
|
+
main: './dist/index.mjs',
|
|
77
|
+
types: './dist/index.d.ts',
|
|
78
78
|
exports: {
|
|
79
|
-
|
|
79
|
+
'.': './dist/index.mjs',
|
|
80
80
|
},
|
|
81
|
-
files: [
|
|
81
|
+
files: ['dist'],
|
|
82
82
|
scripts: {
|
|
83
|
-
clean:
|
|
83
|
+
clean: 'rm -rf dist',
|
|
84
84
|
build:
|
|
85
|
-
|
|
85
|
+
'npm run clean && npm install && tsc -p tsconfig.json && node esbuild.config.mjs',
|
|
86
86
|
},
|
|
87
|
-
license:
|
|
87
|
+
license: 'UNLICENSED',
|
|
88
88
|
devDependencies: {
|
|
89
89
|
donobu: `^${versions.donobuVersion}`,
|
|
90
90
|
playwright: versions.playwrightVersion,
|
|
91
|
-
|
|
92
|
-
typescript:
|
|
93
|
-
esbuild:
|
|
91
|
+
'@playwright/test': versions.playwrightTestVersion,
|
|
92
|
+
typescript: '^5.8.3',
|
|
93
|
+
esbuild: '^0.25.6',
|
|
94
94
|
},
|
|
95
95
|
peerDependencies: {
|
|
96
96
|
donobu: `>=${versions.donobuVersion}`,
|
|
97
97
|
playwright: `>=${versions.playwrightVersion}`,
|
|
98
|
-
|
|
98
|
+
'@playwright/test': `>=${versions.playwrightTestVersion}`,
|
|
99
99
|
},
|
|
100
100
|
peerDependenciesMeta: {
|
|
101
101
|
playwright: {
|
|
102
102
|
optional: false,
|
|
103
103
|
},
|
|
104
|
-
|
|
104
|
+
'@playwright/test': {
|
|
105
105
|
optional: false,
|
|
106
106
|
},
|
|
107
107
|
},
|
|
108
108
|
dependencies: {
|
|
109
|
-
zod:
|
|
109
|
+
zod: '^3.25.76',
|
|
110
110
|
},
|
|
111
111
|
};
|
|
112
112
|
|
|
113
113
|
await writeFile(
|
|
114
|
-
join(pluginDir,
|
|
114
|
+
join(pluginDir, 'package.json'),
|
|
115
115
|
JSON.stringify(packageJson, null, 2)
|
|
116
116
|
);
|
|
117
117
|
|
|
118
118
|
// Create tsconfig.json
|
|
119
119
|
const tsConfig = {
|
|
120
120
|
compilerOptions: {
|
|
121
|
-
target:
|
|
122
|
-
module:
|
|
123
|
-
moduleResolution:
|
|
124
|
-
rootDir:
|
|
125
|
-
outDir:
|
|
121
|
+
target: 'ES2020',
|
|
122
|
+
module: 'NodeNext',
|
|
123
|
+
moduleResolution: 'NodeNext',
|
|
124
|
+
rootDir: './src',
|
|
125
|
+
outDir: './dist',
|
|
126
126
|
declaration: true,
|
|
127
127
|
strict: true,
|
|
128
128
|
esModuleInterop: true,
|
|
129
129
|
skipLibCheck: true,
|
|
130
130
|
forceConsistentCasingInFileNames: true,
|
|
131
131
|
},
|
|
132
|
-
include: [
|
|
132
|
+
include: ['src/**/*'],
|
|
133
133
|
};
|
|
134
134
|
|
|
135
135
|
await writeFile(
|
|
136
|
-
join(pluginDir,
|
|
136
|
+
join(pluginDir, 'tsconfig.json'),
|
|
137
137
|
JSON.stringify(tsConfig, null, 2)
|
|
138
138
|
);
|
|
139
139
|
|
|
@@ -151,112 +151,57 @@ await build({
|
|
|
151
151
|
});
|
|
152
152
|
`;
|
|
153
153
|
|
|
154
|
-
await writeFile(join(pluginDir,
|
|
154
|
+
await writeFile(join(pluginDir, 'esbuild.config.mjs'), esbuildConfig);
|
|
155
155
|
|
|
156
156
|
// Create src/index.ts
|
|
157
|
-
const indexTs =
|
|
158
|
-
|
|
157
|
+
const indexTs = `// Note that non-type imports from 'donobu' should be extracted from the given
|
|
158
|
+
// 'deps.donobu' parameter in 'loadCustomTools'.
|
|
159
|
+
import type { Tool, PluginDependencies } from 'donobu';
|
|
160
|
+
import { z } from 'zod/v4';
|
|
159
161
|
|
|
160
162
|
export async function loadCustomTools(
|
|
161
|
-
|
|
163
|
+
deps: PluginDependencies
|
|
162
164
|
): Promise<Tool<any, any>[]> {
|
|
163
165
|
// Register your custom tools here.
|
|
164
|
-
return [
|
|
165
|
-
|
|
166
|
-
|
|
167
|
-
|
|
168
|
-
|
|
169
|
-
|
|
170
|
-
|
|
171
|
-
|
|
172
|
-
|
|
173
|
-
|
|
174
|
-
|
|
175
|
-
|
|
176
|
-
|
|
177
|
-
|
|
178
|
-
|
|
179
|
-
|
|
180
|
-
|
|
181
|
-
|
|
182
|
-
|
|
183
|
-
|
|
184
|
-
|
|
185
|
-
|
|
186
|
-
|
|
187
|
-
|
|
188
|
-
|
|
189
|
-
|
|
190
|
-
|
|
191
|
-
|
|
192
|
-
|
|
193
|
-
|
|
194
|
-
|
|
195
|
-
|
|
196
|
-
|
|
197
|
-
|
|
198
|
-
|
|
199
|
-
|
|
200
|
-
|
|
201
|
-
): Promise<ToolCallResult> {
|
|
202
|
-
return options.call(ctx, params);
|
|
203
|
-
}
|
|
204
|
-
public override async callFromGpt(
|
|
205
|
-
ctx: ToolCallContext,
|
|
206
|
-
params: z.infer<CallFromGptSchema>
|
|
207
|
-
): Promise<ToolCallResult> {
|
|
208
|
-
return options.callFromGpt
|
|
209
|
-
? options.callFromGpt(ctx, params)
|
|
210
|
-
: this.call(ctx, params);
|
|
211
|
-
}
|
|
212
|
-
}
|
|
213
|
-
|
|
214
|
-
return new AnonymousTool();
|
|
215
|
-
}
|
|
216
|
-
|
|
217
|
-
export interface CreateToolOptions<
|
|
218
|
-
CallSchema extends z.ZodObject<any>,
|
|
219
|
-
CallFromGptSchema extends z.ZodObject<any> = CallSchema,
|
|
220
|
-
> {
|
|
221
|
-
/**
|
|
222
|
-
* @param name This is the name for the tool that will be shared with the LLM when making requests.
|
|
223
|
-
* @param description This is the description that will be shared with the LLM when making requests.
|
|
224
|
-
* @param inputSchema This is the JSON-schema for the tool when it is invoked by a non-LLM.
|
|
225
|
-
* @param inputSchemaForGpt This is the JSON-schema that will be shared with the LLM when making
|
|
226
|
-
* requests during autonomous flows.
|
|
227
|
-
* @param requiresGpt Set to true if this tool requires the usage of a GPT.
|
|
228
|
-
* @param call This is the function that will be invoked when the tool is called by a non-LLM.
|
|
229
|
-
* @param callFromGpt This is the function that will be invoked when the tool is called by an LLM.
|
|
230
|
-
*/
|
|
231
|
-
name: string;
|
|
232
|
-
description: string;
|
|
233
|
-
requiresGpt: boolean;
|
|
234
|
-
schema: CallSchema;
|
|
235
|
-
gptSchema?: CallFromGptSchema;
|
|
236
|
-
call(
|
|
237
|
-
ctx: ToolCallContext,
|
|
238
|
-
params: z.infer<CallSchema>
|
|
239
|
-
): Promise<ToolCallResult> | ToolCallResult;
|
|
240
|
-
callFromGpt?(
|
|
241
|
-
ctx: ToolCallContext,
|
|
242
|
-
params: z.infer<CallFromGptSchema>
|
|
243
|
-
): Promise<ToolCallResult> | ToolCallResult;
|
|
244
|
-
}
|
|
245
|
-
`;
|
|
246
|
-
|
|
247
|
-
await writeFile(join(pluginDir, "src", "createTool.ts"), createToolTs);
|
|
248
|
-
|
|
249
|
-
// Create src/PluginDependencies.ts
|
|
250
|
-
const pluginDepsTs = `export interface PluginDependencies {
|
|
251
|
-
donobu: typeof import("donobu");
|
|
252
|
-
playwright: typeof import("playwright");
|
|
253
|
-
}
|
|
254
|
-
`;
|
|
166
|
+
return [
|
|
167
|
+
// Here is a small example tool for reference.
|
|
168
|
+
deps.donobu.createTool(deps, {
|
|
169
|
+
// The tool name, description, and schema are shared with the Donobu agent
|
|
170
|
+
// to help it decide when, where, and how this tool will be called.
|
|
171
|
+
name: 'judgeWebpageTitle',
|
|
172
|
+
description: 'Judge the quality of a title to a webpage.',
|
|
173
|
+
schema: z.object({ webpageTitle: z.string() }),
|
|
174
|
+
// This example tool uses a GPT/LLM so we call it out here.
|
|
175
|
+
requiresGpt: true,
|
|
176
|
+
call: async (context, parameters) => {
|
|
177
|
+
// 'requiredGpt' is true, so we are guaranteed a valid gptClient handle.
|
|
178
|
+
const resp = await context.gptClient!.getMessage([
|
|
179
|
+
{
|
|
180
|
+
type: 'user',
|
|
181
|
+
items: [
|
|
182
|
+
{
|
|
183
|
+
type: 'text',
|
|
184
|
+
text: \`Judge the quality of this webpage title on a scale of 1 (worst) to 10 (best) and explain why.
|
|
185
|
+
Title: ${parameters.webpageTitle}\`,
|
|
186
|
+
},
|
|
187
|
+
],
|
|
188
|
+
},
|
|
189
|
+
]);
|
|
190
|
+
return {
|
|
191
|
+
// Returning false or throwing an exception will signal tool call failure.
|
|
192
|
+
isSuccessful: true,
|
|
193
|
+
// This is what is shared back with the Donobu agent.
|
|
194
|
+
forLlm: resp.text,
|
|
195
|
+
// Metadata is persisted with the tool call result, but is not shared
|
|
196
|
+
// with the Donobu agent, so this can be used to store large complex data.
|
|
197
|
+
metadata: null,
|
|
198
|
+
};
|
|
199
|
+
},
|
|
200
|
+
}),
|
|
201
|
+
];
|
|
202
|
+
}`;
|
|
255
203
|
|
|
256
|
-
await writeFile(
|
|
257
|
-
join(pluginDir, "src", "PluginDependencies.ts"),
|
|
258
|
-
pluginDepsTs
|
|
259
|
-
);
|
|
204
|
+
await writeFile(join(pluginDir, 'src', 'index.ts'), indexTs);
|
|
260
205
|
|
|
261
206
|
// Create a basic README
|
|
262
207
|
const readme = `# ${pluginName}
|
|
@@ -274,24 +219,24 @@ A custom Donobu plugin with tools for browser automation.
|
|
|
274
219
|
3. Restart Donobu to see your tools
|
|
275
220
|
`;
|
|
276
221
|
|
|
277
|
-
await writeFile(join(pluginDir,
|
|
222
|
+
await writeFile(join(pluginDir, 'README.md'), readme);
|
|
278
223
|
}
|
|
279
224
|
|
|
280
225
|
async function main() {
|
|
281
226
|
const pluginName = process.argv[2];
|
|
282
227
|
|
|
283
228
|
if (!pluginName) {
|
|
284
|
-
console.error(
|
|
285
|
-
console.error(
|
|
286
|
-
console.error(
|
|
287
|
-
console.error(
|
|
229
|
+
console.error('Usage: create-donobu-plugin <plugin-name>');
|
|
230
|
+
console.error('');
|
|
231
|
+
console.error('Example:');
|
|
232
|
+
console.error(' npm create donobu-plugin my-awesome-plugin');
|
|
288
233
|
process.exit(1);
|
|
289
234
|
}
|
|
290
235
|
|
|
291
236
|
// Validate plugin name
|
|
292
237
|
if (!/^[a-z0-9-_]+$/.test(pluginName)) {
|
|
293
238
|
console.error(
|
|
294
|
-
|
|
239
|
+
'Plugin name must contain only lowercase letters, numbers, hyphens, and underscores'
|
|
295
240
|
);
|
|
296
241
|
process.exit(1);
|
|
297
242
|
}
|
|
@@ -299,7 +244,7 @@ async function main() {
|
|
|
299
244
|
try {
|
|
300
245
|
await createPluginStructure(pluginName);
|
|
301
246
|
} catch (error) {
|
|
302
|
-
console.error(
|
|
247
|
+
console.error('Failed to create plugin:', error.message);
|
|
303
248
|
process.exit(1);
|
|
304
249
|
}
|
|
305
250
|
}
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "create-donobu-plugin",
|
|
3
|
-
"version": "1.
|
|
3
|
+
"version": "1.3.0",
|
|
4
4
|
"type": "module",
|
|
5
5
|
"description": "Create a new Donobu plugin",
|
|
6
6
|
"author": "Donobu",
|
|
@@ -13,7 +13,7 @@
|
|
|
13
13
|
"index.js"
|
|
14
14
|
],
|
|
15
15
|
"dependencies": {
|
|
16
|
-
"donobu": "^3.
|
|
16
|
+
"donobu": "^3.4.0"
|
|
17
17
|
},
|
|
18
18
|
"keywords": [
|
|
19
19
|
"donobu",
|