Skip to content

Commit 9c8ca20

Browse files
committed
feat: add image support
1 parent c021b3f commit 9c8ca20

File tree

6 files changed

+245
-13
lines changed

6 files changed

+245
-13
lines changed

package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "mcp-framework",
3-
"version": "0.1.26",
3+
"version": "0.1.27",
44

55
"description": "Framework for building Model Context Protocol (MCP) servers in Typescript",
66
"type": "module",

src/cli/index.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ const program = new Command();
1111
program
1212
.name("mcp")
1313
.description("CLI for managing MCP server projects")
14-
.version("0.1.26");
14+
.version("0.1.27");
1515

1616
program
1717
.command("build")

src/cli/project/create.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -61,7 +61,7 @@ export async function createProject(name?: string) {
6161
start: "node dist/index.js"
6262
},
6363
dependencies: {
64-
"mcp-framework": "^0.1.26",
64+
"mcp-framework": "^0.1.27",
6565
},
6666
devDependencies: {
6767
"@types/node": "^20.11.24",

src/tools/BaseTool.ts

+79-6
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
import { z } from "zod";
22
import { Tool as SDKTool } from "@modelcontextprotocol/sdk/types.js";
3+
import { ImageContent } from "../transports/utils/image-handler.js";
34

45
export type ToolInputSchema<T> = {
56
[K in keyof T]: {
@@ -12,6 +13,22 @@ export type ToolInput<T extends ToolInputSchema<any>> = {
1213
[K in keyof T]: z.infer<T[K]["type"]>;
1314
};
1415

16+
export type TextContent = {
17+
type: "text";
18+
text: string;
19+
};
20+
21+
export type ErrorContent = {
22+
type: "error";
23+
text: string;
24+
};
25+
26+
export type ToolContent = TextContent | ErrorContent | ImageContent;
27+
28+
export type ToolResponse = {
29+
content: ToolContent[];
30+
};
31+
1532
export interface ToolProtocol extends SDKTool {
1633
name: string;
1734
description: string;
@@ -25,9 +42,7 @@ export interface ToolProtocol extends SDKTool {
2542
};
2643
toolCall(request: {
2744
params: { name: string; arguments?: Record<string, unknown> };
28-
}): Promise<{
29-
content: Array<{ type: string; text: string }>;
30-
}>;
45+
}): Promise<ToolResponse>;
3146
}
3247

3348
export abstract class MCPTool<TInput extends Record<string, any> = {}>
@@ -65,7 +80,7 @@ export abstract class MCPTool<TInput extends Record<string, any> = {}>
6580

6681
async toolCall(request: {
6782
params: { name: string; arguments?: Record<string, unknown> };
68-
}) {
83+
}): Promise<ToolResponse> {
6984
try {
7085
const args = request.params.arguments || {};
7186
const validatedInput = await this.validateInput(args);
@@ -95,18 +110,76 @@ export abstract class MCPTool<TInput extends Record<string, any> = {}>
95110
return "string";
96111
}
97112

98-
protected createSuccessResponse(data: unknown) {
113+
protected createSuccessResponse(data: unknown): ToolResponse {
114+
if (this.isImageContent(data)) {
115+
return {
116+
content: [data],
117+
};
118+
}
119+
120+
if (Array.isArray(data)) {
121+
const validContent = data.filter(item => this.isValidContent(item)) as ToolContent[];
122+
if (validContent.length > 0) {
123+
return {
124+
content: validContent,
125+
};
126+
}
127+
}
128+
99129
return {
100130
content: [{ type: "text", text: JSON.stringify(data) }],
101131
};
102132
}
103133

104-
protected createErrorResponse(error: Error) {
134+
protected createErrorResponse(error: Error): ToolResponse {
105135
return {
106136
content: [{ type: "error", text: error.message }],
107137
};
108138
}
109139

140+
private isImageContent(data: unknown): data is ImageContent {
141+
return (
142+
typeof data === "object" &&
143+
data !== null &&
144+
"type" in data &&
145+
data.type === "image" &&
146+
"data" in data &&
147+
"mimeType" in data &&
148+
typeof (data as ImageContent).data === "string" &&
149+
typeof (data as ImageContent).mimeType === "string"
150+
);
151+
}
152+
153+
private isTextContent(data: unknown): data is TextContent {
154+
return (
155+
typeof data === "object" &&
156+
data !== null &&
157+
"type" in data &&
158+
data.type === "text" &&
159+
"text" in data &&
160+
typeof (data as TextContent).text === "string"
161+
);
162+
}
163+
164+
private isErrorContent(data: unknown): data is ErrorContent {
165+
return (
166+
typeof data === "object" &&
167+
data !== null &&
168+
"type" in data &&
169+
data.type === "error" &&
170+
"text" in data &&
171+
typeof (data as ErrorContent).text === "string"
172+
);
173+
}
174+
175+
private isValidContent(data: unknown): data is ToolContent {
176+
return (
177+
this.isImageContent(data) ||
178+
this.isTextContent(data) ||
179+
this.isErrorContent(data)
180+
);
181+
}
182+
110183
protected async fetch<T>(url: string, init?: RequestInit): Promise<T> {
111184
const response = await fetch(url, init);
112185
if (!response.ok) {

src/transports/stdio/server.ts

+53-4
Original file line numberDiff line numberDiff line change
@@ -1,26 +1,75 @@
11
import { StdioServerTransport as SDKStdioTransport } from "@modelcontextprotocol/sdk/server/stdio.js";
22
import { BaseTransport } from "../base.js";
33
import { JSONRPCMessage } from "@modelcontextprotocol/sdk/types.js";
4+
import {
5+
ImageTransportOptions,
6+
DEFAULT_IMAGE_OPTIONS,
7+
hasImageContent,
8+
prepareImageForTransport,
9+
ImageContent
10+
} from "../utils/image-handler.js";
11+
import { logger } from "../../core/Logger.js";
12+
13+
type ExtendedJSONRPCMessage = JSONRPCMessage & {
14+
result?: {
15+
content?: Array<ImageContent | { type: string; [key: string]: unknown }>;
16+
[key: string]: unknown;
17+
};
18+
};
419

520
/**
6-
* StdioServerTransport that implements BaseTransport
21+
* StdioServerTransport
722
*/
823
export class StdioServerTransport implements BaseTransport {
924
readonly type = "stdio";
1025
private transport: SDKStdioTransport;
1126
private running: boolean = false;
27+
private imageOptions: ImageTransportOptions;
1228

13-
constructor() {
29+
constructor(imageOptions: Partial<ImageTransportOptions> = {}) {
1430
this.transport = new SDKStdioTransport();
31+
this.imageOptions = {
32+
...DEFAULT_IMAGE_OPTIONS,
33+
...imageOptions
34+
};
1535
}
1636

1737
async start(): Promise<void> {
1838
await this.transport.start();
1939
this.running = true;
2040
}
2141

22-
async send(message: JSONRPCMessage): Promise<void> {
23-
await this.transport.send(message);
42+
async send(message: ExtendedJSONRPCMessage): Promise<void> {
43+
try {
44+
if (hasImageContent(message)) {
45+
message = this.prepareMessageWithImage(message);
46+
}
47+
await this.transport.send(message);
48+
} catch (error) {
49+
logger.error(`Error sending message through stdio transport: ${error}`);
50+
throw error;
51+
}
52+
}
53+
54+
private prepareMessageWithImage(message: ExtendedJSONRPCMessage): ExtendedJSONRPCMessage {
55+
if (!message.result?.content) {
56+
return message;
57+
}
58+
59+
const processedContent = message.result.content.map((item: ImageContent | { type: string; [key: string]: unknown }) => {
60+
if (item.type === 'image') {
61+
return prepareImageForTransport(item as ImageContent, this.imageOptions);
62+
}
63+
return item;
64+
});
65+
66+
return {
67+
...message,
68+
result: {
69+
...message.result,
70+
content: processedContent
71+
}
72+
};
2473
}
2574

2675
async close(): Promise<void> {

src/transports/utils/image-handler.ts

+110
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,110 @@
1+
import { z } from "zod";
2+
3+
/**
4+
* Configuration options for image transport
5+
*/
6+
export interface ImageTransportOptions {
7+
maxSize: number;
8+
allowedMimeTypes: string[];
9+
compressionQuality?: number;
10+
}
11+
12+
/**
13+
* Schema for image content validation
14+
*/
15+
export const ImageContentSchema = z.object({
16+
type: z.literal("image"),
17+
data: z.string(),
18+
mimeType: z.string()
19+
});
20+
21+
export type ImageContent = z.infer<typeof ImageContentSchema>;
22+
23+
/**
24+
* Default configuration for image transport
25+
*/
26+
export const DEFAULT_IMAGE_OPTIONS: ImageTransportOptions = {
27+
maxSize: 5 * 1024 * 1024, // 5MB
28+
allowedMimeTypes: ['image/jpeg', 'image/png', 'image/gif', 'image/webp'],
29+
compressionQuality: 0.8
30+
};
31+
32+
/**
33+
* Validates image content against transport options
34+
*/
35+
export function validateImageTransport(content: ImageContent, options: ImageTransportOptions = DEFAULT_IMAGE_OPTIONS): void {
36+
// Validate schema
37+
ImageContentSchema.parse(content);
38+
39+
// Validate MIME type
40+
if (!options.allowedMimeTypes.includes(content.mimeType)) {
41+
throw new Error(`Unsupported image type: ${content.mimeType}. Allowed types: ${options.allowedMimeTypes.join(', ')}`);
42+
}
43+
44+
// Validate base64 format
45+
if (!isBase64(content.data)) {
46+
throw new Error('Invalid base64 image data');
47+
}
48+
49+
// Validate size
50+
const sizeInBytes = Buffer.from(content.data, 'base64').length;
51+
if (sizeInBytes > options.maxSize) {
52+
throw new Error(`Image size ${sizeInBytes} bytes exceeds maximum allowed size of ${options.maxSize} bytes`);
53+
}
54+
}
55+
56+
/**
57+
* Prepares image content for transport
58+
* This function can be extended to handle compression, format conversion, etc.
59+
*/
60+
export function prepareImageForTransport(content: ImageContent, options: ImageTransportOptions = DEFAULT_IMAGE_OPTIONS): ImageContent {
61+
validateImageTransport(content, options);
62+
63+
// For now, we just return the validated content
64+
// Future: implement compression, format conversion, etc.
65+
return content;
66+
}
67+
68+
/**
69+
* Checks if a string is valid base64
70+
*/
71+
function isBase64(str: string): boolean {
72+
if (str === '' || str.trim() === '') {
73+
return false;
74+
}
75+
try {
76+
return btoa(atob(str)) === str;
77+
} catch (err) {
78+
return false;
79+
}
80+
}
81+
82+
/**
83+
* Gets the size of a base64 image in bytes
84+
*/
85+
export function getBase64ImageSize(base64String: string): number {
86+
return Buffer.from(base64String, 'base64').length;
87+
}
88+
89+
/**
90+
* Utility type for messages containing image content
91+
*/
92+
export type MessageWithImage = {
93+
result?: {
94+
content?: Array<ImageContent | { type: string; [key: string]: unknown }>;
95+
};
96+
[key: string]: unknown;
97+
};
98+
99+
/**
100+
* Checks if a message contains image content
101+
*/
102+
export function hasImageContent(message: unknown): message is MessageWithImage {
103+
if (typeof message !== 'object' || message === null) {
104+
return false;
105+
}
106+
107+
const msg = message as MessageWithImage;
108+
return Array.isArray(msg.result?.content) &&
109+
msg.result.content.some(item => item.type === 'image');
110+
}

0 commit comments

Comments
 (0)