Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
23 changes: 21 additions & 2 deletions src/api/providers/openrouter.ts
Original file line number Diff line number Diff line change
Expand Up @@ -275,9 +275,15 @@ export class OpenRouterHandler extends BaseProvider implements SingleCompletionH
* @param prompt The text prompt for image generation
* @param model The model to use for generation
* @param apiKey The OpenRouter API key (must be explicitly provided)
* @param inputImage Optional base64 encoded input image data URL
* @returns The generated image data and format, or an error
*/
async generateImage(prompt: string, model: string, apiKey: string): Promise<ImageGenerationResult> {
async generateImage(
prompt: string,
model: string,
apiKey: string,
inputImage?: string,
): Promise<ImageGenerationResult> {
if (!apiKey) {
return {
success: false,
Expand All @@ -299,7 +305,20 @@ export class OpenRouterHandler extends BaseProvider implements SingleCompletionH
messages: [
{
role: "user",
content: prompt,
content: inputImage
? [
{
type: "text",
text: prompt,
},
{
type: "image_url",
image_url: {
url: inputImage,
},
},
]
: prompt,
},
],
modalities: ["image", "text"],
Expand Down
22 changes: 19 additions & 3 deletions src/core/prompts/tools/generate-image.ts
Original file line number Diff line number Diff line change
Expand Up @@ -2,19 +2,35 @@ import { ToolArgs } from "./types"

export function getGenerateImageDescription(args: ToolArgs): string {
return `## generate_image
Description: Request to generate an image using AI models through OpenRouter API. This tool creates images from text prompts and saves them to the specified path.
Description: Request to generate or edit an image using AI models through OpenRouter API. This tool can create new images from text prompts or modify existing images based on your instructions. When an input image is provided, the AI will apply the requested edits, transformations, or enhancements to that image.
Parameters:
- prompt: (required) The text prompt describing the image to generate
- path: (required) The file path where the generated image should be saved (relative to the current workspace directory ${args.cwd}). The tool will automatically add the appropriate image extension if not provided.
- prompt: (required) The text prompt describing what to generate or how to edit the image
- path: (required) The file path where the generated/edited image should be saved (relative to the current workspace directory ${args.cwd}). The tool will automatically add the appropriate image extension if not provided.
- image: (optional) The file path to an input image to edit or transform (relative to the current workspace directory ${args.cwd}). Supported formats: PNG, JPG, JPEG, GIF, WEBP.
Usage:
<generate_image>
<prompt>Your image description here</prompt>
<path>path/to/save/image.png</path>
<image>path/to/input/image.jpg</image>
</generate_image>
Example: Requesting to generate a sunset image
<generate_image>
<prompt>A beautiful sunset over mountains with vibrant orange and purple colors</prompt>
<path>images/sunset.png</path>
</generate_image>
Example: Editing an existing image
<generate_image>
<prompt>Transform this image into a watercolor painting style</prompt>
<path>images/watercolor-output.png</path>
<image>images/original-photo.jpg</image>
</generate_image>
Example: Upscaling and enhancing an image
<generate_image>
<prompt>Upscale this image to higher resolution, enhance details, improve clarity and sharpness while maintaining the original content and composition</prompt>
<path>images/enhanced-photo.png</path>
<image>images/low-res-photo.jpg</image>
</generate_image>`
}
313 changes: 313 additions & 0 deletions src/core/tools/__tests__/generateImageTool.test.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,313 @@
import { describe, it, expect, vi, beforeEach } from "vitest"
import { generateImageTool } from "../generateImageTool"
import { ToolUse } from "../../../shared/tools"
import { Task } from "../../task/Task"
import * as fs from "fs/promises"
import * as pathUtils from "../../../utils/pathUtils"
import * as fileUtils from "../../../utils/fs"
import { formatResponse } from "../../prompts/responses"
import { EXPERIMENT_IDS } from "../../../shared/experiments"
import { OpenRouterHandler } from "../../../api/providers/openrouter"

// Mock dependencies
vi.mock("fs/promises")
vi.mock("../../../utils/pathUtils")
vi.mock("../../../utils/fs")
vi.mock("../../../utils/safeWriteJson")
vi.mock("../../../api/providers/openrouter")

describe("generateImageTool", () => {
let mockCline: any
let mockAskApproval: any
let mockHandleError: any
let mockPushToolResult: any
let mockRemoveClosingTag: any

beforeEach(() => {
vi.clearAllMocks()

// Setup mock Cline instance
mockCline = {
cwd: "/test/workspace",
consecutiveMistakeCount: 0,
recordToolError: vi.fn(),
recordToolUsage: vi.fn(),
sayAndCreateMissingParamError: vi.fn().mockResolvedValue("Missing parameter error"),
say: vi.fn(),
rooIgnoreController: {
validateAccess: vi.fn().mockReturnValue(true),
},
rooProtectedController: {
isWriteProtected: vi.fn().mockReturnValue(false),
},
providerRef: {
deref: vi.fn().mockReturnValue({
getState: vi.fn().mockResolvedValue({
experiments: {
[EXPERIMENT_IDS.IMAGE_GENERATION]: true,
},
apiConfiguration: {
openRouterImageGenerationSettings: {
openRouterApiKey: "test-api-key",
selectedModel: "google/gemini-2.5-flash-image-preview",
},
},
}),
}),
},
fileContextTracker: {
trackFileContext: vi.fn(),
},
didEditFile: false,
}

mockAskApproval = vi.fn().mockResolvedValue(true)
mockHandleError = vi.fn()
mockPushToolResult = vi.fn()
mockRemoveClosingTag = vi.fn((tag, content) => content || "")

// Mock file system operations
vi.mocked(fileUtils.fileExistsAtPath).mockResolvedValue(true)
vi.mocked(fs.readFile).mockResolvedValue(Buffer.from("fake-image-data"))
vi.mocked(fs.mkdir).mockResolvedValue(undefined)
vi.mocked(fs.writeFile).mockResolvedValue(undefined)
vi.mocked(pathUtils.isPathOutsideWorkspace).mockReturnValue(false)
})

describe("partial block handling", () => {
it("should return early when block is partial", async () => {
const partialBlock: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Generate a test image",
path: "test-image.png",
},
partial: true,
}

await generateImageTool(
mockCline as Task,
partialBlock,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

// Should not process anything when partial
expect(mockAskApproval).not.toHaveBeenCalled()
expect(mockPushToolResult).not.toHaveBeenCalled()
expect(mockCline.say).not.toHaveBeenCalled()
})

it("should return early when block is partial even with image parameter", async () => {
const partialBlock: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Upscale this image",
path: "upscaled-image.png",
image: "source-image.png",
},
partial: true,
}

await generateImageTool(
mockCline as Task,
partialBlock,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

// Should not process anything when partial
expect(mockAskApproval).not.toHaveBeenCalled()
expect(mockPushToolResult).not.toHaveBeenCalled()
expect(mockCline.say).not.toHaveBeenCalled()
expect(fs.readFile).not.toHaveBeenCalled()
})

it("should process when block is not partial", async () => {
const completeBlock: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Generate a test image",
path: "test-image.png",
},
partial: false,
}

// Mock the OpenRouterHandler generateImage method
const mockGenerateImage = vi.fn().mockResolvedValue({
success: true,
imageData: "data:image/png;base64,fakebase64data",
})

vi.mocked(OpenRouterHandler).mockImplementation(
() =>
({
generateImage: mockGenerateImage,
}) as any,
)

await generateImageTool(
mockCline as Task,
completeBlock,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

// Should process the complete block
expect(mockAskApproval).toHaveBeenCalled()
expect(mockGenerateImage).toHaveBeenCalled()
expect(mockPushToolResult).toHaveBeenCalled()
})
})

describe("missing parameters", () => {
it("should handle missing prompt parameter", async () => {
const block: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
path: "test-image.png",
},
partial: false,
}

await generateImageTool(
mockCline as Task,
block,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

expect(mockCline.consecutiveMistakeCount).toBe(1)
expect(mockCline.recordToolError).toHaveBeenCalledWith("generate_image")
expect(mockCline.sayAndCreateMissingParamError).toHaveBeenCalledWith("generate_image", "prompt")
expect(mockPushToolResult).toHaveBeenCalledWith("Missing parameter error")
})

it("should handle missing path parameter", async () => {
const block: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Generate a test image",
},
partial: false,
}

await generateImageTool(
mockCline as Task,
block,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

expect(mockCline.consecutiveMistakeCount).toBe(1)
expect(mockCline.recordToolError).toHaveBeenCalledWith("generate_image")
expect(mockCline.sayAndCreateMissingParamError).toHaveBeenCalledWith("generate_image", "path")
expect(mockPushToolResult).toHaveBeenCalledWith("Missing parameter error")
})
})

describe("experiment validation", () => {
it("should error when image generation experiment is disabled", async () => {
// Disable the experiment
mockCline.providerRef.deref().getState.mockResolvedValue({
experiments: {
[EXPERIMENT_IDS.IMAGE_GENERATION]: false,
},
})

const block: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Generate a test image",
path: "test-image.png",
},
partial: false,
}

await generateImageTool(
mockCline as Task,
block,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

expect(mockPushToolResult).toHaveBeenCalledWith(
formatResponse.toolError(
"Image generation is an experimental feature that must be enabled in settings. Please enable 'Image Generation' in the Experimental Settings section.",
),
)
})
})

describe("input image validation", () => {
it("should handle non-existent input image", async () => {
vi.mocked(fileUtils.fileExistsAtPath).mockResolvedValue(false)

const block: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Upscale this image",
path: "upscaled.png",
image: "non-existent.png",
},
partial: false,
}

await generateImageTool(
mockCline as Task,
block,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

expect(mockCline.say).toHaveBeenCalledWith("error", expect.stringContaining("Input image not found"))
expect(mockPushToolResult).toHaveBeenCalledWith(expect.stringContaining("Input image not found"))
})

it("should handle unsupported image format", async () => {
const block: ToolUse = {
type: "tool_use",
name: "generate_image",
params: {
prompt: "Upscale this image",
path: "upscaled.png",
image: "test.bmp", // Unsupported format
},
partial: false,
}

await generateImageTool(
mockCline as Task,
block,
mockAskApproval,
mockHandleError,
mockPushToolResult,
mockRemoveClosingTag,
)

expect(mockCline.say).toHaveBeenCalledWith("error", expect.stringContaining("Unsupported image format"))
expect(mockPushToolResult).toHaveBeenCalledWith(expect.stringContaining("Unsupported image format"))
})
})
})
Loading
Loading