mirror of
https://github.com/eyaltoledano/claude-task-master.git
synced 2026-01-30 06:12:05 +00:00
Handle missing jsonSchema export in AI SDK (#1556)
This commit is contained in:
committed by
GitHub
parent
9a6fa1bd2a
commit
1befc6a341
12
.changeset/fix-ai-sdk-jsonschema-fallback.md
Normal file
12
.changeset/fix-ai-sdk-jsonschema-fallback.md
Normal file
@@ -0,0 +1,12 @@
|
||||
---
|
||||
"task-master-ai": patch
|
||||
---
|
||||
|
||||
fix: tolerate AI SDK versions without jsonSchema export
|
||||
|
||||
Fallback to sanitized Zod schema handling when jsonSchema is unavailable, and
|
||||
align structured-output tests and registration perf thresholds to reduce CI
|
||||
failures.
|
||||
|
||||
Also enforce sequential, unique subtask ids when regenerating subtasks during
|
||||
scope adjustment.
|
||||
@@ -133,6 +133,9 @@ export function processTasks(
|
||||
existingTasks,
|
||||
defaultPriority
|
||||
) {
|
||||
// Runtime guard: ensure PRD task IDs are unique and sequential (1..N).
|
||||
validateSequentialTaskIds(rawTasks, startId);
|
||||
|
||||
let currentId = startId;
|
||||
const taskMap = new Map();
|
||||
|
||||
@@ -172,6 +175,43 @@ export function processTasks(
|
||||
return processedTasks;
|
||||
}
|
||||
|
||||
function validateSequentialTaskIds(rawTasks, expectedStartId = 1) {
|
||||
if (!Array.isArray(rawTasks) || rawTasks.length === 0) {
|
||||
return;
|
||||
}
|
||||
|
||||
const ids = rawTasks.map((task) => task.id);
|
||||
|
||||
if (ids.some((id) => !Number.isInteger(id) || id < 1)) {
|
||||
throw new Error(
|
||||
'PRD tasks must use sequential positive integer IDs starting at 1.'
|
||||
);
|
||||
}
|
||||
|
||||
const uniqueIds = new Set(ids);
|
||||
if (uniqueIds.size !== ids.length) {
|
||||
throw new Error(
|
||||
'PRD task IDs must be unique and sequential starting at 1.'
|
||||
);
|
||||
}
|
||||
|
||||
const sortedIds = [...uniqueIds].sort((a, b) => a - b);
|
||||
const startId = sortedIds[0];
|
||||
if (startId !== 1 && startId !== expectedStartId) {
|
||||
throw new Error(
|
||||
`PRD task IDs must start at 1 or ${expectedStartId} and be sequential.`
|
||||
);
|
||||
}
|
||||
|
||||
for (let index = 0; index < sortedIds.length; index += 1) {
|
||||
if (sortedIds[index] !== startId + index) {
|
||||
throw new Error(
|
||||
`PRD task IDs must be a contiguous sequence starting at ${startId}.`
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Save tasks to file with tag support
|
||||
* @param {string} tasksPath - Path to save tasks
|
||||
|
||||
@@ -378,6 +378,7 @@ Ensure the JSON is valid and properly formatted.`;
|
||||
});
|
||||
|
||||
const generatedSubtasks = aiResult.mainResult.subtasks || [];
|
||||
ensureSequentialSubtaskIds(generatedSubtasks);
|
||||
|
||||
// Post-process generated subtasks to ensure defaults
|
||||
const processedGeneratedSubtasks = generatedSubtasks.map((subtask) => ({
|
||||
@@ -441,6 +442,30 @@ Ensure the JSON is valid and properly formatted.`;
|
||||
}
|
||||
}
|
||||
|
||||
function ensureSequentialSubtaskIds(subtasks) {
|
||||
if (!Array.isArray(subtasks) || subtasks.length === 0) {
|
||||
return;
|
||||
}
|
||||
|
||||
const ids = subtasks.map((subtask) => subtask.id);
|
||||
if (ids.some((id) => !Number.isInteger(id) || id < 1)) {
|
||||
throw new Error('Generated subtask ids must be positive integers');
|
||||
}
|
||||
const uniqueIds = new Set(ids);
|
||||
if (uniqueIds.size !== ids.length) {
|
||||
throw new Error('Generated subtasks must have unique ids');
|
||||
}
|
||||
|
||||
const sortedIds = [...uniqueIds].sort((a, b) => a - b);
|
||||
for (let index = 0; index < sortedIds.length; index += 1) {
|
||||
if (sortedIds[index] !== index + 1) {
|
||||
throw new Error(
|
||||
'Generated subtask ids must be sequential starting from 1'
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Generates AI prompt for scope adjustment
|
||||
* @param {Object} task - The task to adjust
|
||||
|
||||
@@ -1,4 +1,11 @@
|
||||
import {
|
||||
import * as ai from 'ai';
|
||||
import { jsonrepair } from 'jsonrepair';
|
||||
import { EnvHttpProxyAgent } from 'undici';
|
||||
import { isProxyEnabled } from '../../scripts/modules/config-manager.js';
|
||||
import { findProjectRoot, log } from '../../scripts/modules/utils.js';
|
||||
import { getAITelemetryConfig, hashProjectRoot } from '../telemetry/sentry.js';
|
||||
|
||||
const {
|
||||
JSONParseError,
|
||||
NoObjectGeneratedError,
|
||||
generateObject,
|
||||
@@ -6,12 +13,113 @@ import {
|
||||
streamObject,
|
||||
streamText,
|
||||
zodSchema
|
||||
} from 'ai';
|
||||
import { jsonrepair } from 'jsonrepair';
|
||||
import { EnvHttpProxyAgent } from 'undici';
|
||||
import { isProxyEnabled } from '../../scripts/modules/config-manager.js';
|
||||
import { findProjectRoot, log } from '../../scripts/modules/utils.js';
|
||||
import { getAITelemetryConfig, hashProjectRoot } from '../telemetry/sentry.js';
|
||||
} = ai;
|
||||
|
||||
const jsonSchemaHelper = ai.jsonSchema;
|
||||
|
||||
const INTEGER_CONSTRAINT_KEYS = new Set([
|
||||
'minimum',
|
||||
'maximum',
|
||||
'exclusiveMinimum',
|
||||
'exclusiveMaximum'
|
||||
]);
|
||||
|
||||
const SCHEMA_OBJECT_KEYS = [
|
||||
'additionalProperties',
|
||||
'contains',
|
||||
'if',
|
||||
'then',
|
||||
'else',
|
||||
'not',
|
||||
'propertyNames'
|
||||
];
|
||||
|
||||
const SCHEMA_ARRAY_KEYS = ['allOf', 'anyOf', 'oneOf', 'prefixItems'];
|
||||
|
||||
const SCHEMA_RECORD_KEYS = [
|
||||
'definitions',
|
||||
'$defs',
|
||||
'dependentSchemas',
|
||||
'patternProperties',
|
||||
'properties'
|
||||
];
|
||||
|
||||
const isIntegerType = (type) => {
|
||||
if (!type) {
|
||||
return false;
|
||||
}
|
||||
if (Array.isArray(type)) {
|
||||
return type.includes('integer');
|
||||
}
|
||||
return type === 'integer';
|
||||
};
|
||||
|
||||
const sanitizeIntegerConstraints = (schema) => {
|
||||
if (!schema || typeof schema !== 'object') {
|
||||
return schema;
|
||||
}
|
||||
|
||||
if (Array.isArray(schema)) {
|
||||
return schema.map(sanitizeIntegerConstraints);
|
||||
}
|
||||
|
||||
const next = { ...schema };
|
||||
|
||||
if (isIntegerType(next.type)) {
|
||||
for (const key of INTEGER_CONSTRAINT_KEYS) {
|
||||
if (key in next) {
|
||||
delete next[key];
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
for (const key of SCHEMA_OBJECT_KEYS) {
|
||||
if (next[key]) {
|
||||
next[key] = sanitizeIntegerConstraints(next[key]);
|
||||
}
|
||||
}
|
||||
|
||||
for (const key of SCHEMA_ARRAY_KEYS) {
|
||||
if (Array.isArray(next[key])) {
|
||||
next[key] = next[key].map(sanitizeIntegerConstraints);
|
||||
}
|
||||
}
|
||||
|
||||
for (const key of SCHEMA_RECORD_KEYS) {
|
||||
if (next[key] && typeof next[key] === 'object') {
|
||||
const mapped = {};
|
||||
for (const [entryKey, entryValue] of Object.entries(next[key])) {
|
||||
mapped[entryKey] = sanitizeIntegerConstraints(entryValue);
|
||||
}
|
||||
next[key] = mapped;
|
||||
}
|
||||
}
|
||||
|
||||
if (next.items) {
|
||||
next.items = sanitizeIntegerConstraints(next.items);
|
||||
}
|
||||
|
||||
return next;
|
||||
};
|
||||
|
||||
const buildSafeSchema = (schema) => {
|
||||
const baseSchema = zodSchema(schema);
|
||||
if (!baseSchema || typeof baseSchema !== 'object') {
|
||||
return baseSchema;
|
||||
}
|
||||
|
||||
if (!baseSchema.jsonSchema) {
|
||||
return baseSchema;
|
||||
}
|
||||
|
||||
const sanitizedSchema = sanitizeIntegerConstraints(baseSchema.jsonSchema);
|
||||
|
||||
if (typeof jsonSchemaHelper === 'function') {
|
||||
return jsonSchemaHelper(sanitizedSchema, { validate: baseSchema.validate });
|
||||
}
|
||||
|
||||
return { ...baseSchema, jsonSchema: sanitizedSchema };
|
||||
};
|
||||
|
||||
/**
|
||||
* Base class for all AI providers
|
||||
@@ -350,10 +458,12 @@ export class BaseAIProvider {
|
||||
|
||||
const telemetryConfig = getAITelemetryConfig(functionId, metadata);
|
||||
|
||||
const schema = buildSafeSchema(params.schema);
|
||||
|
||||
const result = await streamObject({
|
||||
model: client(params.modelId),
|
||||
messages: params.messages,
|
||||
schema: zodSchema(params.schema),
|
||||
schema,
|
||||
mode: params.mode || 'auto',
|
||||
maxOutputTokens: params.maxTokens,
|
||||
...(this.supportsTemperature && params.temperature !== undefined
|
||||
@@ -414,10 +524,12 @@ export class BaseAIProvider {
|
||||
|
||||
const telemetryConfig = getAITelemetryConfig(functionId, metadata);
|
||||
|
||||
const schema = buildSafeSchema(params.schema);
|
||||
|
||||
const result = await generateObject({
|
||||
model: client(params.modelId),
|
||||
messages: params.messages,
|
||||
schema: params.schema,
|
||||
schema,
|
||||
mode: this.needsExplicitJsonSchema ? 'json' : 'auto',
|
||||
schemaName: params.objectName,
|
||||
schemaDescription: `Generate a valid JSON object for ${params.objectName}`,
|
||||
|
||||
@@ -26,7 +26,7 @@ export const BaseTaskSchema = z
|
||||
title: z.string().min(1).max(200),
|
||||
description: z.string().min(1),
|
||||
status: TaskStatusSchema,
|
||||
dependencies: z.array(z.union([z.number().int(), z.string()])),
|
||||
dependencies: z.array(z.union([z.number().int().positive(), z.string()])),
|
||||
priority: z.enum(['low', 'medium', 'high', 'critical']).nullable(),
|
||||
details: z.string().nullable(),
|
||||
testStrategy: z.string().nullable()
|
||||
@@ -38,7 +38,7 @@ export const SubtaskSchema = z
|
||||
id: z.number().int().positive(),
|
||||
title: z.string().min(5).max(200),
|
||||
description: z.string().min(10),
|
||||
dependencies: z.array(z.number().int()),
|
||||
dependencies: z.array(z.number().int().positive()),
|
||||
details: z.string().min(20),
|
||||
status: z.enum(['pending', 'done', 'completed']),
|
||||
testStrategy: z.string().nullable()
|
||||
|
||||
@@ -101,7 +101,7 @@ describe('GeminiCliProvider Structured Output Integration', () => {
|
||||
|
||||
// Verify schema was passed through
|
||||
const callArgs = mockGenerateObject.mock.calls[0][0];
|
||||
expect(callArgs.schema).toBe(testSchema);
|
||||
expect(callArgs.schema).toEqual({ _zodSchema: testSchema });
|
||||
|
||||
// Verify result is returned correctly
|
||||
expect(result.object).toEqual({
|
||||
|
||||
@@ -329,7 +329,7 @@ describe('Task Master Tool Registration System', () => {
|
||||
const endTime = Date.now();
|
||||
const executionTime = endTime - startTime;
|
||||
|
||||
expect(executionTime).toBeLessThan(100);
|
||||
expect(executionTime).toBeLessThan(200);
|
||||
expect(mockServer.addTool).toHaveBeenCalledTimes(ALL_COUNT);
|
||||
});
|
||||
|
||||
|
||||
Reference in New Issue
Block a user