Some checks failed
Release Gate / gate (push) Has been cancelled
- claude-code 선택적 탐색 흐름을 참고해 Cowork/Code 시스템 프롬프트에서 folder_map 상시 선행 지시를 완화하고 glob/grep 기반 좁은 탐색을 우선하도록 조정함 - FolderMapTool 기본 depth를 2로, include_files 기본값을 false로 낮추고 MultiReadTool 최대 파일 수를 8개로 줄여 초기 과탐색 폭을 보수적으로 조정함 - AgentLoopExplorationPolicy partial을 추가해 탐색 범위 분류, broad-scan corrective hint, exploration_breadth 성능 로그를 연결함 - AgentLoopService에 탐색 범위 가이드 주입과 실행 중 탐색 폭 추적을 추가하고, 좁은 질문에서 반복적인 folder_map/대량 multi_read를 교정하도록 정리함 - DocxToHtmlConverter nullable 경고를 수정해 Release 빌드 경고 0 / 오류 0 기준을 다시 충족함 - README와 docs/DEVELOPMENT.md에 2026-04-09 10:36 (KST) 기준 개발 이력을 반영함
71 lines
2.8 KiB
C#
71 lines
2.8 KiB
C#
using System.IO;
|
|
using System.Linq;
|
|
using System.Text.Json;
|
|
|
|
namespace AxCopilot.Services.Agent;
|
|
|
|
public sealed class TaskUpdateTool : IAgentTool
|
|
{
|
|
public string Name => "task_update";
|
|
|
|
public string Description =>
|
|
"Update task fields (status/title/description/priority) in the workspace task board.";
|
|
|
|
public ToolParameterSchema Parameters => new()
|
|
{
|
|
Properties = new()
|
|
{
|
|
["id"] = new() { Type = "integer", Description = "Task id" },
|
|
["status"] = new() { Type = "string", Description = "open | in_progress | blocked | done | stopped" },
|
|
["title"] = new() { Type = "string", Description = "New title (optional)" },
|
|
["description"] = new() { Type = "string", Description = "New description (optional)" },
|
|
["priority"] = new() { Type = "string", Description = "high | medium | low" },
|
|
},
|
|
Required = ["id"]
|
|
};
|
|
|
|
public Task<ToolResult> ExecuteAsync(JsonElement args, AgentContext context, CancellationToken ct = default)
|
|
{
|
|
if (!args.SafeTryGetProperty("id", out var idEl))
|
|
return Task.FromResult(ToolResult.Fail("id is required."));
|
|
if (string.IsNullOrWhiteSpace(context.WorkFolder) || !Directory.Exists(context.WorkFolder))
|
|
return Task.FromResult(ToolResult.Fail("valid WorkFolder is required."));
|
|
|
|
var id = idEl.GetInt32();
|
|
var tasks = TaskBoardStore.Load(context.WorkFolder);
|
|
var task = tasks.FirstOrDefault(t => t.Id == id);
|
|
if (task == null)
|
|
return Task.FromResult(ToolResult.Fail($"Task #{id} not found."));
|
|
|
|
if (args.SafeTryGetProperty("status", out var statusEl))
|
|
{
|
|
var status = (statusEl.SafeGetString() ?? "").Trim().ToLowerInvariant();
|
|
if (!TaskBoardStore.IsValidStatus(status))
|
|
return Task.FromResult(ToolResult.Fail("Invalid status."));
|
|
task.Status = status;
|
|
}
|
|
|
|
if (args.SafeTryGetProperty("title", out var titleEl))
|
|
{
|
|
var title = (titleEl.SafeGetString() ?? "").Trim();
|
|
if (!string.IsNullOrWhiteSpace(title))
|
|
task.Title = title;
|
|
}
|
|
|
|
if (args.SafeTryGetProperty("description", out var descEl))
|
|
task.Description = (descEl.SafeGetString() ?? "").Trim();
|
|
|
|
if (args.SafeTryGetProperty("priority", out var priEl))
|
|
{
|
|
var priority = (priEl.SafeGetString() ?? "").Trim().ToLowerInvariant();
|
|
if (!TaskBoardStore.IsValidPriority(priority))
|
|
return Task.FromResult(ToolResult.Fail("Invalid priority."));
|
|
task.Priority = priority;
|
|
}
|
|
|
|
task.UpdatedAt = DateTime.Now;
|
|
TaskBoardStore.Save(context.WorkFolder, tasks);
|
|
return Task.FromResult(ToolResult.Ok($"Updated task #{task.Id}: [{task.Status}] {task.Title}"));
|
|
}
|
|
}
|