create-donobu-plugin 1.1.0 → 1.2.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (3) hide show
  1. package/README.md +120 -0
  2. package/index.js +54 -54
  3. package/package.json +2 -2
package/README.md ADDED
@@ -0,0 +1,120 @@
1
+ # create-donobu-plugin
2
+
3
+ `create-donobu-plugin` is the official scaffolding CLI for Donobu Studio plugins. It generates a TypeScript workspace wired to Donobu’s plugin API, pins dependencies to whatever versions your local Studio installation already uses, and ships with helper utilities so you can focus on describing new tools instead of wiring.
4
+
5
+ ## How Donobu loads plugins
6
+
7
+ - Donobu watches a plugins directory inside its working data folder (macOS: `~/Library/Application Support/Donobu Studio/plugins`, Windows: `%APPDATA%/Donobu Studio/plugins`, Linux: `~/.config/Donobu Studio/plugins`).
8
+ - Each plugin ships a bundled `dist/index.mjs` that exports one async function named `loadCustomTools(dependencies)`. When Donobu starts it imports every plugin bundle and calls that function to collect tools.
9
+ - `npm exec install-donobu-plugin` builds your project and copies the resulting `dist/` folder into `<workingDir>/plugins/<plugin-name>`, so restarting Donobu is enough to pick up changes.
10
+
11
+ Keep those three rules in mind and your plugin will load reliably.
12
+
13
+ ## Prerequisites
14
+
15
+ - Node.js 18+ and npm 8+
16
+ - A local Donobu Studio installation (desktop or backend) so the installer has somewhere to copy the plugin bundle
17
+ - Playwright browsers installed (Donobu will prompt you if they are missing)
18
+ - Write access to the Donobu Studio working directory
19
+
20
+ ## Installation
21
+
22
+ ```bash
23
+ npx create-donobu-plugin my-support-tools
24
+ ```
25
+
26
+ Provide the plugin name as the first argument. Names may include lowercase letters, numbers, hyphens, and underscores. The CLI prints usage information if the argument is missing or invalid.
27
+
28
+ ## Quick start
29
+
30
+ 1. Scaffold a plugin: `npx create-donobu-plugin my-support-tools`
31
+ 2. `cd my-support-tools && npm install`
32
+ 3. Implement your tools in `src/index.ts`
33
+ 4. `npm run build`
34
+ 5. `npm exec install-donobu-plugin`
35
+ 6. Restart Donobu Studio and verify the tools appear in the UI/logs
36
+
37
+ ## Generated project layout
38
+
39
+ | Item | Description |
40
+ | --------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------- |
41
+ | `package.json` | Private ESM package whose `main`/`types` fields point to `dist/`. Dev dependencies are aligned with the local Donobu install so you don’t chase version drift. |
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
+ | `src/createTool.ts` | Helper around `dependencies.donobu.Tool` that reduces boilerplate when defining tools. |
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. |
48
+
49
+ 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
+
51
+ ## Authoring tools
52
+
53
+ Every plugin exports `loadCustomTools(dependencies)` and returns an array of `Tool` instances. You can instantiate `dependencies.donobu.Tool` directly or use the provided helper:
54
+
55
+ ```ts
56
+ // src/index.ts
57
+ import { z } from 'zod/v4';
58
+ import { createTool } from './createTool.js';
59
+ import type { PluginDependencies } from './PluginDependencies.js';
60
+
61
+ export async function loadCustomTools(deps: PluginDependencies) {
62
+ const pingSchema = z.object({
63
+ url: z.string().url(),
64
+ });
65
+
66
+ const pingTool = createTool(deps, {
67
+ name: 'pingEndpoint',
68
+ description: 'Fetches a URL within the Donobu-controlled browser context.',
69
+ requiresGpt: false,
70
+ schema: pingSchema,
71
+ async call(ctx, { url }) {
72
+ const page = await ctx.browserContext.newPage();
73
+ const response = await page.goto(url);
74
+ return {
75
+ isSuccessful: !!response,
76
+ forLlm: `Fetched ${url} with status ${response?.status()}`,
77
+ metadata: { status: response?.status() },
78
+ };
79
+ },
80
+ });
81
+
82
+ return [pingTool];
83
+ }
84
+ ```
85
+
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
+ ## Working with injected dependencies
93
+
94
+ - `dependencies.donobu` exposes the public SDK: the base `Tool` class, `PlaywrightUtils`, logging helpers, type definitions, etc.
95
+ - `dependencies.playwright` points to the same Playwright build Donobu uses, so your plugin and the core runtime stay aligned.
96
+ - Feel free to add your own dependencies; `esbuild` bundles everything except the packages listed in `external`.
97
+
98
+ ## Build and install
99
+
100
+ ```bash
101
+ npm run build
102
+ npm exec install-donobu-plugin
103
+ ```
104
+
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 every install so the new bundle is loaded.
106
+
107
+ ## Recommended development loop
108
+
109
+ 1. Make changes in `src/`
110
+ 2. `npm run build && npm exec install-donobu-plugin`
111
+ 3. Restart Donobu Studio or the backend process
112
+ 4. Trigger your tool from the UI or API to verify behavior
113
+
114
+ Because the default build script runs `npm install`, consider splitting the script into `build` and `bundle` variants if you need faster inner-loop iterations.
115
+
116
+ ## Troubleshooting
117
+
118
+ - **Plugin not appearing:** Ensure `npm exec install-donobu-plugin` ran successfully and that `dist/index.mjs` exists. Restart Donobu and watch the logs for plugin loading messages.
119
+ - **Schema errors:** Zod throws runtime errors when inputs don’t match your schema. Log the error message to quickly see which field failed.
120
+ - **Version mismatch:** If Donobu upgrades Playwright or its SDK, re-run the scaffold (or update the plugin’s dev dependencies) so you stay compatible.
package/index.js CHANGED
@@ -1,26 +1,26 @@
1
1
  #!/usr/bin/env node
2
2
 
3
- import { mkdir, writeFile, readFile } from "fs/promises";
4
- import { join, dirname } from "path";
5
- import { createRequire } from "module";
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("donobu");
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, "package.json");
14
+ let packageJsonPath = join(donobuDir, 'package.json');
15
15
 
16
16
  try {
17
- await readFile(packageJsonPath, "utf8");
17
+ await readFile(packageJsonPath, 'utf8');
18
18
  } catch {
19
19
  // If not found, try going up one more directory
20
- packageJsonPath = join(dirname(donobuDir), "package.json");
20
+ packageJsonPath = join(dirname(donobuDir), 'package.json');
21
21
  }
22
22
 
23
- const packageJsonContent = await readFile(packageJsonPath, "utf8");
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
- "1.53.2",
31
+ donobuPackageJson.peerDependencies?.playwright?.replace(/^>=/, '') ||
32
+ '1.53.2',
33
33
  playwrightTestVersion:
34
- donobuPackageJson.devDependencies?.["@playwright/test"] ||
35
- donobuPackageJson.dependencies?.["@playwright/test"] ||
36
- donobuPackageJson.peerDependencies?.["@playwright/test"]?.replace(
34
+ donobuPackageJson.devDependencies?.['@playwright/test'] ||
35
+ donobuPackageJson.dependencies?.['@playwright/test'] ||
36
+ donobuPackageJson.peerDependencies?.['@playwright/test']?.replace(
37
37
  /^>=/,
38
- ""
38
+ ''
39
39
  ) ||
40
- "1.53.2",
40
+ '1.53.2',
41
41
  };
42
42
  } catch (error) {
43
- console.error("Could not read the Donobu package.json file!");
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, "src"), { recursive: true });
58
- console.log("Creating files...");
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: "1.0.0",
72
+ version: '1.0.0',
73
73
  private: true,
74
- type: "module",
75
- description: "Custom tools for use by Donobu.",
76
- main: "./dist/index.mjs",
77
- types: "./dist/index.d.ts",
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
- ".": "./dist/index.mjs",
79
+ '.': './dist/index.mjs',
80
80
  },
81
- files: ["dist"],
81
+ files: ['dist'],
82
82
  scripts: {
83
- clean: "rm -rf dist",
83
+ clean: 'rm -rf dist',
84
84
  build:
85
- "npm run clean && npm install && tsc -p tsconfig.json && node esbuild.config.mjs",
85
+ 'npm run clean && npm install && tsc -p tsconfig.json && node esbuild.config.mjs',
86
86
  },
87
- license: "UNLICENSED",
87
+ license: 'UNLICENSED',
88
88
  devDependencies: {
89
89
  donobu: `^${versions.donobuVersion}`,
90
90
  playwright: versions.playwrightVersion,
91
- "@playwright/test": versions.playwrightTestVersion,
92
- typescript: "^5.8.3",
93
- esbuild: "^0.25.6",
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
- "@playwright/test": `>=${versions.playwrightTestVersion}`,
98
+ '@playwright/test': `>=${versions.playwrightTestVersion}`,
99
99
  },
100
100
  peerDependenciesMeta: {
101
101
  playwright: {
102
102
  optional: false,
103
103
  },
104
- "@playwright/test": {
104
+ '@playwright/test': {
105
105
  optional: false,
106
106
  },
107
107
  },
108
108
  dependencies: {
109
- zod: "^3.24.1",
109
+ zod: '^3.25.76',
110
110
  },
111
111
  };
112
112
 
113
113
  await writeFile(
114
- join(pluginDir, "package.json"),
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: "ES2020",
122
- module: "NodeNext",
123
- moduleResolution: "NodeNext",
124
- rootDir: "./src",
125
- outDir: "./dist",
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: ["src/**/*"],
132
+ include: ['src/**/*'],
133
133
  };
134
134
 
135
135
  await writeFile(
136
- join(pluginDir, "tsconfig.json"),
136
+ join(pluginDir, 'tsconfig.json'),
137
137
  JSON.stringify(tsConfig, null, 2)
138
138
  );
139
139
 
@@ -151,7 +151,7 @@ await build({
151
151
  });
152
152
  `;
153
153
 
154
- await writeFile(join(pluginDir, "esbuild.config.mjs"), esbuildConfig);
154
+ await writeFile(join(pluginDir, 'esbuild.config.mjs'), esbuildConfig);
155
155
 
156
156
  // Create src/index.ts
157
157
  const indexTs = `import type { Tool } from "donobu";
@@ -165,10 +165,10 @@ export async function loadCustomTools(
165
165
  }
166
166
  `;
167
167
 
168
- await writeFile(join(pluginDir, "src", "index.ts"), indexTs);
168
+ await writeFile(join(pluginDir, 'src', 'index.ts'), indexTs);
169
169
 
170
170
  // Create src/createTool.ts
171
- const createToolTs = `import { z } from "zod";
171
+ const createToolTs = `import { z } from "zod/v4";
172
172
  import type { ToolCallContext, ToolCallResult, Tool } from "donobu";
173
173
  import { PluginDependencies } from "./PluginDependencies.js";
174
174
 
@@ -244,7 +244,7 @@ export interface CreateToolOptions<
244
244
  }
245
245
  `;
246
246
 
247
- await writeFile(join(pluginDir, "src", "createTool.ts"), createToolTs);
247
+ await writeFile(join(pluginDir, 'src', 'createTool.ts'), createToolTs);
248
248
 
249
249
  // Create src/PluginDependencies.ts
250
250
  const pluginDepsTs = `export interface PluginDependencies {
@@ -254,7 +254,7 @@ export interface CreateToolOptions<
254
254
  `;
255
255
 
256
256
  await writeFile(
257
- join(pluginDir, "src", "PluginDependencies.ts"),
257
+ join(pluginDir, 'src', 'PluginDependencies.ts'),
258
258
  pluginDepsTs
259
259
  );
260
260
 
@@ -274,24 +274,24 @@ A custom Donobu plugin with tools for browser automation.
274
274
  3. Restart Donobu to see your tools
275
275
  `;
276
276
 
277
- await writeFile(join(pluginDir, "README.md"), readme);
277
+ await writeFile(join(pluginDir, 'README.md'), readme);
278
278
  }
279
279
 
280
280
  async function main() {
281
281
  const pluginName = process.argv[2];
282
282
 
283
283
  if (!pluginName) {
284
- console.error("Usage: create-donobu-plugin <plugin-name>");
285
- console.error("");
286
- console.error("Example:");
287
- console.error(" npm create donobu-plugin my-awesome-plugin");
284
+ console.error('Usage: create-donobu-plugin <plugin-name>');
285
+ console.error('');
286
+ console.error('Example:');
287
+ console.error(' npm create donobu-plugin my-awesome-plugin');
288
288
  process.exit(1);
289
289
  }
290
290
 
291
291
  // Validate plugin name
292
292
  if (!/^[a-z0-9-_]+$/.test(pluginName)) {
293
293
  console.error(
294
- "Plugin name must contain only lowercase letters, numbers, hyphens, and underscores"
294
+ 'Plugin name must contain only lowercase letters, numbers, hyphens, and underscores'
295
295
  );
296
296
  process.exit(1);
297
297
  }
@@ -299,7 +299,7 @@ async function main() {
299
299
  try {
300
300
  await createPluginStructure(pluginName);
301
301
  } catch (error) {
302
- console.error("Failed to create plugin:", error.message);
302
+ console.error('Failed to create plugin:', error.message);
303
303
  process.exit(1);
304
304
  }
305
305
  }
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "create-donobu-plugin",
3
- "version": "1.1.0",
3
+ "version": "1.2.1",
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": "^2.33.0"
16
+ "donobu": "^3.3.0"
17
17
  },
18
18
  "keywords": [
19
19
  "donobu",