Files
AX-Copilot-Codex/src/AxCopilot/Services/Agent/Base64Tool.cs
lacvet 33c1db4dae
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) 기준 개발 이력을 반영함
2026-04-09 14:27:59 +09:00

89 lines
3.2 KiB
C#

using System.IO;
using System.Text;
using System.Text.Json;
namespace AxCopilot.Services.Agent;
/// <summary>Base64/URL 인코딩·디코딩 도구.</summary>
public class Base64Tool : IAgentTool
{
public string Name => "base64_tool";
public string Description =>
"Encode or decode Base64 and URL strings. Actions: " +
"'b64encode' — encode text to Base64; " +
"'b64decode' — decode Base64 to text; " +
"'urlencode' — URL-encode text; " +
"'urldecode' — URL-decode text; " +
"'b64file' — encode a file to Base64 (max 5MB).";
public ToolParameterSchema Parameters => new()
{
Properties = new()
{
["action"] = new()
{
Type = "string",
Description = "Action to perform",
Enum = ["b64encode", "b64decode", "urlencode", "urldecode", "b64file"],
},
["text"] = new()
{
Type = "string",
Description = "Text to encode/decode",
},
["file_path"] = new()
{
Type = "string",
Description = "File path for b64file action",
},
},
Required = ["action"],
};
public Task<ToolResult> ExecuteAsync(JsonElement args, AgentContext context, CancellationToken ct = default)
{
var action = args.GetProperty("action").SafeGetString() ?? "";
var text = args.SafeTryGetProperty("text", out var t) ? t.SafeGetString() ?? "" : "";
try
{
return Task.FromResult(action switch
{
"b64encode" => ToolResult.Ok(Convert.ToBase64String(Encoding.UTF8.GetBytes(text))),
"b64decode" => ToolResult.Ok(Encoding.UTF8.GetString(Convert.FromBase64String(text))),
"urlencode" => ToolResult.Ok(Uri.EscapeDataString(text)),
"urldecode" => ToolResult.Ok(Uri.UnescapeDataString(text)),
"b64file" => EncodeFile(args, context),
_ => ToolResult.Fail($"Unknown action: {action}"),
});
}
catch (FormatException)
{
return Task.FromResult(ToolResult.Fail("Invalid Base64 string"));
}
catch (Exception ex)
{
return Task.FromResult(ToolResult.Fail($"오류: {ex.Message}"));
}
}
private static ToolResult EncodeFile(JsonElement args, AgentContext context)
{
if (!args.SafeTryGetProperty("file_path", out var fp))
return ToolResult.Fail("'file_path' is required for b64file action");
var path = fp.SafeGetString() ?? "";
if (!Path.IsPathRooted(path)) path = Path.Combine(context.WorkFolder, path);
if (!File.Exists(path)) return ToolResult.Fail($"File not found: {path}");
var info = new FileInfo(path);
if (info.Length > 5 * 1024 * 1024)
return ToolResult.Fail($"File too large ({info.Length / 1024}KB). Max 5MB.");
var bytes = File.ReadAllBytes(path);
var b64 = Convert.ToBase64String(bytes);
if (b64.Length > 10000)
return ToolResult.Ok($"Base64 ({b64.Length} chars, first 500):\n{b64[..500]}...");
return ToolResult.Ok(b64);
}
}