This is a toolkit for building UXP extensions for Adobe Photoshop. It has been created because the experience building extensions for Adobe Photoshop is pretty terrible: nothing works as expected and the documentation is lacking.
With the code in this repo, we fix a few things:
- A large amount of functions, including automated tests, for common actions in Photoshop, like interacting with layers and files.
- A way to interact with batchPlay in a typesafe way, with Zod schemas for the output.
- A unified way to represent layers in your code, without using document.layers (which gets very slow, see below)
- A testing framework for UXP, which you can also use for your own tests.
- Vitest integration for running unit tests without Photoshop, with CI/CD support.
- Typescript types for the
uxpandphotoshopmodules. - A fixed CLI for UXP.
pnpm add @bubblydoo/uxp-toolkit
pnpm add -D @adobe-uxp-types/uxp @adobe-uxp-types/photoshopWe were very hopeful when in 2021 Adobe announced they would revamp their Photoshop API. However, after 2 years they seem to have given up, and the API is barely updated.
There are a lot of issues with the API:
- The Typescript types are more often wrong than not.
- It extends web APIs, but is incompatible with a lot of them.
- For most actions, you still have to use
batchPlay, and in order to figure out what to do, you need to record the action with Alchemist and convert it into code. But even then, that code often does not work. - When using the DOM API, e.g.
document.layers[0].name, it looks synchronous, but under the hood it makes several IPC calls to the Photoshop process. If you have a lot of layers, this can get very slow. - The amount of documentation is very lacking, often outdated or just plain wrong.
| Package | Version |
|---|---|
| @bubblydoo/uxp-toolkit |
We made functions for building typesafe UXP projects. Instead of just running batchPlay, and trusting what the output is, we verify what the output is.
// Before
// ActionDescriptor (any)
// ^
const result = await batchPlay([
{
_obj: "get",
_target: [
{ _ref: "layer", _id: 123 }
]
}
]);
// After
// { name: string }
// ^
const result = await batchPlayCommand(
createCommand({
modifying: false,
descriptor: {
_obj: "get",
_target: [
{ _ref: "layer", _id: 123 }
]
},
schema: z.object({
name: z.string(),
}),
})
);This is only possible with non-modifiying commands. If you want to run a modifying command, this needs to happen in a modal context:
await executeAsModal(commandName, async (ctx) => {
await ctx.batchPlayCommand(createCommand({
modifying: true,
descriptor: {
_obj: "set",
_target: [
{ _ref: "layer", _id: 123 }
],
name: "New Layer Name",
},
schema: z.unknown(),
}));
});There is also batchPlayCommands for running multiple commands at once, with correct typing.
For better ergonomics, we put the name first, and then the function. The ctx has new attributes:
signalbatchPlayCommandandbatchPlayCommandsfor running commands
await executeAsModal("Do something cancellable", async (ctx) => {
ctx.signal.throwIfAborted();
});For better ergonomics, we put the document first, then the name, and then the function.
await suspendHistory(document, "Action that suspends history", async (ctx) => {
await ctx.batchPlayCommand(createRenameLayerCommand({ id: 123, docId: document.id }, "New Name"));
});A combination of the two above:
await executeAsModalAndSuspendHistory("Combined action", document, async (ctx, suspendHistoryContext) => {
ctx.reportProgress({ value: 0.5 });
});As document.layers can get slow, we provide a parser for a layer tree, built on batchPlay commands.
// LayerDescriptor[]
// ^
const descriptors = await getDocumentLayerDescriptors(document.id);
// UTLayer[]
// ^
const layers = photoshopLayerDescriptorsToUTLayers(descriptors);Convert a UTLayer tree to a human-readable text representation. This is useful for debugging, logging, and AI/LLM use cases where you need to represent the layer structure as text.
import { utLayersToText } from '@bubblydoo/uxp-toolkit';
const text = utLayersToText(layers);
console.log(text);Output:
◯ Background
◯ ▾ Header Group
◯ Logo ƒ
◯ ⬐ Title
⊘ Subtitle ⁕
◯ ▾ Content
◯ Image
Icons:
◯visible /⊘hidden▾group⬐clipping maskƒhas layer effects⁕non-default blend mode
We publish our own types for the uxp and photoshop modules, which are based on other community efforts but adapted to be more accurate:
| Package | Version |
|---|---|
| @adobe-uxp-types/uxp | |
| @adobe-uxp-types/photoshop |
pnpm add -D @adobe-uxp-types/uxp @adobe-uxp-types/photoshoptsconfig.json:
{
"compilerOptions": {
"types": ["@adobe-uxp-types/photoshop", "@adobe-uxp-types/uxp"],
}
}If you're using the adobe: protocol, you will need to configure your bundler to strip the protocol.
{
"compilerOptions": {
"types": ["@adobe-uxp-types/photoshop/with-protocol", "@adobe-uxp-types/uxp/with-protocol"],
}
}We have a library of commands for common actions in Photoshop, which you can import from @bubblydoo/uxp-toolkit/commands.
Examples are createRenameLayerCommand and createSelectLayerCommand.
See the commands library index file for a complete list.
We have a function to parse error sourcemaps, which is very useful for debugging errors in your code.
function throwError() {
throw new Error("Test error");
}
try {
throwError();
} catch (error) {
// [{ fileName: "test.ts", lineNumber: 2, columnNumber: 8 }]
// ^
const parsedError = await parseUxpErrorSourcemaps(error);
// "/Users/you/project/src/test.ts:2:8"
// ^
const absolutePath = await getBasicStackFrameAbsoluteFilePath(parsedError[0]);
await copyToClipboard(absolutePath);
}| Package | Version |
|---|---|
| @bubblydoo/vite-uxp-plugin |
@bubblydoo/vite-uxp-plugin adapts Vite for UXP constraints:
- UXP-compatible output (manifest emission + CommonJS bundle behavior)
@bubblydoo/vite-uxp-plugin/runtimefor hot-reload wiring in development mode- automatic dev websocket permission wiring in the generated
manifest.json
Unlike regular web Vite workflows, you should use vite build --watch --mode development (not vite dev) for UXP projects.
| Package | Version |
|---|---|
| @bubblydoo/vitest-pool-uxp | |
| @bubblydoo/vitest-pool-cdp |
We now support Vitest for unit testing TypeScript code without Photoshop:
vitest.config.ts:
import { defineConfig } from 'vitest/config';
import { uxpPool } from '@bubblydoo/vitest-pool-uxp';
export default defineConfig({
test: {
pool: uxpPool(),
isolate: false,
fileParallelism: false,
maxWorkers: 1,
},
});| Package | Version |
|---|---|
| @bubblydoo/uxp-toolkit-react |
pnpm add @bubblydoo/uxp-toolkit-reactWe have a React integration for the toolkit. It allows you to use the toolkit in a React application. Many functions use React Query under the hood.
import { useActiveDocument } from "@bubblydoo/uxp-toolkit-react";
function App() {
const activeDocument = useActiveDocument();
return <div>Active document: {activeDocument.name}</div>;
}This package provides the following hooks:
useActiveDocument– Sync external store for the current active documentuseOnDocumentEdited– Run a callback when the given document is edited (select, delete, make, set, move, close, show, hide, etc.)useOnDocumentLayersEdited– Run a callback when layers change (delete, make, set, move, close)useOnDocumentLayersSelection– Run a callback when layer selection changes (select, deselect)useOnEvent– Run a callback for arbitrary Photoshop action events on a given documentuseOpenDocuments– Sync external store for the list of open documentsuseIsPluginPanelVisibleanduseIsAnyPluginPanelVisible– Whether a plugin panel is visibleuseApplicationInfoQuery– React Query for Photoshop application info (e.g. panel list)useEventListenerSkippable- Generic hook to subscribe to events with optional skip/filter so triggers can be queued or ignored
| Package | Version |
|---|---|
| @bubblydoo/uxp-cli |
We fixed the official devtools package, which had a lot of issues. You can find the fixed repo here.
Based on this, we created our own CLI. You can run this without installing anything, just pnpm.
This can replace UXP Developer Tools.
Open devtools with a "fake" plugin (doesn't have any functionality)
pnpm --allow-build=@adobe-fixed-uxp/uxp-devtools-helper dlx @bubblydoo/uxp-cli open-devtoolsOpen devtools with a custom plugin
pnpm --allow-build=@adobe-fixed-uxp/uxp-devtools-helper dlx @bubblydoo/uxp-cli open-devtools --plugin-path ./my-pluginYou can also just install it:
pnpm add -D @bubblydoo/uxp-cliIf you're using approved builds in pnpm, make sure to add @adobe-fixed-uxp/uxp-devtools-helper to the onlyBuiltDependencies in your pnpm-workspace.yaml. The postinstall script just unzips some binary proprietary Adobe files.
| Package | Version |
|---|---|
| @bubblydoo/photoshop-mcp |
We have a MCP server for Photoshop automation via Chrome DevTools Protocol. It allows AI assistants to execute JavaScript code directly in Adobe Photoshop's UXP environment, but it also has access to UXP Toolkit and its commands, to the TypeScript schemas and these readmes.
pnpm --allow-build=@adobe-fixed-uxp/uxp-devtools-helper dlx @bubblydoo/photoshop-mcp| Package | Version |
|---|---|
| @bubblydoo/uxp-puppeteer-transport |
This package bridges Puppeteer's browser-level CDP expectations to Photoshop's page-level UXP CDP endpoint. It is useful when you want to reuse Puppeteer-style automation against a UXP runtime.
import puppeteer from 'puppeteer-core';
import { createUxpPuppeteerTransport } from '@bubblydoo/uxp-puppeteer-transport';
const transport = await createUxpPuppeteerTransport(cdpUrl, executionContextId);
const browser = await puppeteer.connect({ transport, defaultViewport: null });This is a monorepo using pnpm and Turborepo.
In the projects in this repo, we import from adobe:photoshop and adobe:uxp instead of photoshop and uxp. I believe this "adobe:" protocol should be natively supported (just like "node:" or "cloudflare:"), because it makes it clear this is not an npm module. In the vite-uxp-plugin and in the tsup configs, we remove this "adobe:" prefix when generating the final code.
We use a shared package for this: @bubblydoo/esbuild-adobe-protocol-plugin.
import { app } from 'adobe:photoshop';
// this turns into:
const { app } = require('photoshop');