feat(gateway): /agent, /provider, /mission, /prdy, /tools commands (P8-012) (#181)
All checks were successful
ci/woodpecker/push/ci Pipeline was successful
All checks were successful
ci/woodpecker/push/ci Pipeline was successful
Co-authored-by: Jason Woltje <jason@diversecanvas.com> Co-committed-by: Jason Woltje <jason@diversecanvas.com>
This commit was merged in pull request #181.
This commit is contained in:
211
apps/gateway/src/commands/command-executor-p8012.spec.ts
Normal file
211
apps/gateway/src/commands/command-executor-p8012.spec.ts
Normal file
@@ -0,0 +1,211 @@
|
|||||||
|
import { describe, it, expect, vi, beforeEach } from 'vitest';
|
||||||
|
import { CommandExecutorService } from './command-executor.service.js';
|
||||||
|
import type { SlashCommandPayload } from '@mosaic/types';
|
||||||
|
|
||||||
|
// Minimal mock implementations
|
||||||
|
const mockRegistry = {
|
||||||
|
getManifest: vi.fn(() => ({
|
||||||
|
version: 1,
|
||||||
|
commands: [
|
||||||
|
{ name: 'provider', aliases: [], scope: 'agent', execution: 'hybrid', available: true },
|
||||||
|
{ name: 'mission', aliases: [], scope: 'agent', execution: 'socket', available: true },
|
||||||
|
{ name: 'agent', aliases: ['a'], scope: 'agent', execution: 'socket', available: true },
|
||||||
|
{ name: 'prdy', aliases: [], scope: 'agent', execution: 'socket', available: true },
|
||||||
|
{ name: 'tools', aliases: [], scope: 'agent', execution: 'socket', available: true },
|
||||||
|
],
|
||||||
|
skills: [],
|
||||||
|
})),
|
||||||
|
};
|
||||||
|
|
||||||
|
const mockAgentService = {
|
||||||
|
getSession: vi.fn(() => undefined),
|
||||||
|
};
|
||||||
|
|
||||||
|
const mockSystemOverride = {
|
||||||
|
set: vi.fn(),
|
||||||
|
get: vi.fn(),
|
||||||
|
clear: vi.fn(),
|
||||||
|
renew: vi.fn(),
|
||||||
|
};
|
||||||
|
|
||||||
|
const mockSessionGC = {
|
||||||
|
sweepOrphans: vi.fn(() => ({ orphanedSessions: 0, totalCleaned: [], duration: 0 })),
|
||||||
|
};
|
||||||
|
|
||||||
|
const mockRedis = {
|
||||||
|
set: vi.fn().mockResolvedValue('OK'),
|
||||||
|
get: vi.fn(),
|
||||||
|
del: vi.fn(),
|
||||||
|
};
|
||||||
|
|
||||||
|
function buildService(): CommandExecutorService {
|
||||||
|
return new CommandExecutorService(
|
||||||
|
mockRegistry as never,
|
||||||
|
mockAgentService as never,
|
||||||
|
mockSystemOverride as never,
|
||||||
|
mockSessionGC as never,
|
||||||
|
mockRedis as never,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
describe('CommandExecutorService — P8-012 commands', () => {
|
||||||
|
let service: CommandExecutorService;
|
||||||
|
const userId = 'user-123';
|
||||||
|
const conversationId = 'conv-456';
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
vi.clearAllMocks();
|
||||||
|
service = buildService();
|
||||||
|
});
|
||||||
|
|
||||||
|
// /provider login — missing provider name
|
||||||
|
it('/provider login with no provider name returns usage error', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'provider', args: 'login', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(false);
|
||||||
|
expect(result.message).toContain('Usage: /provider login');
|
||||||
|
expect(result.command).toBe('provider');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /provider login anthropic — success with URL containing poll token
|
||||||
|
it('/provider login <name> returns success with URL and poll token', async () => {
|
||||||
|
const payload: SlashCommandPayload = {
|
||||||
|
command: 'provider',
|
||||||
|
args: 'login anthropic',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.command).toBe('provider');
|
||||||
|
expect(result.message).toContain('anthropic');
|
||||||
|
expect(result.message).toContain('http');
|
||||||
|
// data should contain loginUrl and pollToken
|
||||||
|
expect(result.data).toBeDefined();
|
||||||
|
const data = result.data as Record<string, unknown>;
|
||||||
|
expect(typeof data['loginUrl']).toBe('string');
|
||||||
|
expect(typeof data['pollToken']).toBe('string');
|
||||||
|
expect(data['loginUrl'] as string).toContain('anthropic');
|
||||||
|
expect(data['loginUrl'] as string).toContain(data['pollToken'] as string);
|
||||||
|
// Verify Valkey was called
|
||||||
|
expect(mockRedis.set).toHaveBeenCalledOnce();
|
||||||
|
const [key, value, , ttl] = mockRedis.set.mock.calls[0] as [string, string, string, number];
|
||||||
|
expect(key).toContain('mosaic:auth:poll:');
|
||||||
|
const stored = JSON.parse(value) as { status: string; provider: string; userId: string };
|
||||||
|
expect(stored.status).toBe('pending');
|
||||||
|
expect(stored.provider).toBe('anthropic');
|
||||||
|
expect(stored.userId).toBe(userId);
|
||||||
|
expect(ttl).toBe(300);
|
||||||
|
});
|
||||||
|
|
||||||
|
// /provider with no args — returns usage
|
||||||
|
it('/provider with no args returns usage message', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'provider', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.message).toContain('Usage: /provider');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /provider list
|
||||||
|
it('/provider list returns success', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'provider', args: 'list', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.command).toBe('provider');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /provider logout with no name — usage error
|
||||||
|
it('/provider logout with no name returns error', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'provider', args: 'logout', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(false);
|
||||||
|
expect(result.message).toContain('Usage: /provider logout');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /provider unknown subcommand
|
||||||
|
it('/provider unknown subcommand returns error', async () => {
|
||||||
|
const payload: SlashCommandPayload = {
|
||||||
|
command: 'provider',
|
||||||
|
args: 'unknown',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(false);
|
||||||
|
expect(result.message).toContain('Unknown subcommand');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /mission status
|
||||||
|
it('/mission status returns stub message', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'mission', args: 'status', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.command).toBe('mission');
|
||||||
|
expect(result.message).toContain('Mission status');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /mission with no args
|
||||||
|
it('/mission with no args returns status stub', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'mission', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.message).toContain('Mission status');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /mission set <id>
|
||||||
|
it('/mission set <id> returns confirmation', async () => {
|
||||||
|
const payload: SlashCommandPayload = {
|
||||||
|
command: 'mission',
|
||||||
|
args: 'set my-mission-123',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.message).toContain('my-mission-123');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /agent list
|
||||||
|
it('/agent list returns stub message', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'agent', args: 'list', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.command).toBe('agent');
|
||||||
|
expect(result.message).toContain('agent');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /agent with no args
|
||||||
|
it('/agent with no args returns usage', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'agent', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.message).toContain('Usage: /agent');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /agent <id> — switch
|
||||||
|
it('/agent <id> returns switch confirmation', async () => {
|
||||||
|
const payload: SlashCommandPayload = {
|
||||||
|
command: 'agent',
|
||||||
|
args: 'my-agent-id',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.message).toContain('my-agent-id');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /prdy
|
||||||
|
it('/prdy returns PRD wizard message', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'prdy', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.command).toBe('prdy');
|
||||||
|
expect(result.message).toContain('mosaic prdy');
|
||||||
|
});
|
||||||
|
|
||||||
|
// /tools
|
||||||
|
it('/tools returns tools stub message', async () => {
|
||||||
|
const payload: SlashCommandPayload = { command: 'tools', conversationId };
|
||||||
|
const result = await service.execute(payload, userId);
|
||||||
|
expect(result.success).toBe(true);
|
||||||
|
expect(result.command).toBe('tools');
|
||||||
|
expect(result.message).toContain('tools');
|
||||||
|
});
|
||||||
|
});
|
||||||
@@ -1,9 +1,11 @@
|
|||||||
import { Inject, Injectable, Logger } from '@nestjs/common';
|
import { Inject, Injectable, Logger } from '@nestjs/common';
|
||||||
|
import type { QueueHandle } from '@mosaic/queue';
|
||||||
import type { SlashCommandPayload, SlashCommandResultPayload } from '@mosaic/types';
|
import type { SlashCommandPayload, SlashCommandResultPayload } from '@mosaic/types';
|
||||||
import { AgentService } from '../agent/agent.service.js';
|
import { AgentService } from '../agent/agent.service.js';
|
||||||
import { CommandRegistryService } from './command-registry.service.js';
|
import { CommandRegistryService } from './command-registry.service.js';
|
||||||
import { SystemOverrideService } from '../preferences/system-override.service.js';
|
import { SystemOverrideService } from '../preferences/system-override.service.js';
|
||||||
import { SessionGCService } from '../gc/session-gc.service.js';
|
import { SessionGCService } from '../gc/session-gc.service.js';
|
||||||
|
import { COMMANDS_REDIS } from './commands.tokens.js';
|
||||||
|
|
||||||
@Injectable()
|
@Injectable()
|
||||||
export class CommandExecutorService {
|
export class CommandExecutorService {
|
||||||
@@ -14,6 +16,7 @@ export class CommandExecutorService {
|
|||||||
@Inject(AgentService) private readonly agentService: AgentService,
|
@Inject(AgentService) private readonly agentService: AgentService,
|
||||||
@Inject(SystemOverrideService) private readonly systemOverride: SystemOverrideService,
|
@Inject(SystemOverrideService) private readonly systemOverride: SystemOverrideService,
|
||||||
@Inject(SessionGCService) private readonly sessionGC: SessionGCService,
|
@Inject(SessionGCService) private readonly sessionGC: SessionGCService,
|
||||||
|
@Inject(COMMANDS_REDIS) private readonly redis: QueueHandle['redis'],
|
||||||
) {}
|
) {}
|
||||||
|
|
||||||
async execute(payload: SlashCommandPayload, userId: string): Promise<SlashCommandResultPayload> {
|
async execute(payload: SlashCommandPayload, userId: string): Promise<SlashCommandResultPayload> {
|
||||||
@@ -75,6 +78,22 @@ export class CommandExecutorService {
|
|||||||
conversationId,
|
conversationId,
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
case 'agent':
|
||||||
|
return await this.handleAgent(args ?? null, conversationId);
|
||||||
|
case 'provider':
|
||||||
|
return await this.handleProvider(args ?? null, userId, conversationId);
|
||||||
|
case 'mission':
|
||||||
|
return await this.handleMission(args ?? null, conversationId, userId);
|
||||||
|
case 'prdy':
|
||||||
|
return {
|
||||||
|
command: 'prdy',
|
||||||
|
success: true,
|
||||||
|
message:
|
||||||
|
'PRD wizard: run `mosaic prdy` in your project workspace to create or update a PRD.',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
case 'tools':
|
||||||
|
return await this.handleTools(conversationId, userId);
|
||||||
default:
|
default:
|
||||||
return {
|
return {
|
||||||
command,
|
command,
|
||||||
@@ -164,4 +183,165 @@ export class CommandExecutorService {
|
|||||||
message: `Session system prompt override set (expires in 5 minutes of inactivity).`,
|
message: `Session system prompt override set (expires in 5 minutes of inactivity).`,
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
|
private async handleAgent(
|
||||||
|
args: string | null,
|
||||||
|
conversationId: string,
|
||||||
|
): Promise<SlashCommandResultPayload> {
|
||||||
|
if (!args) {
|
||||||
|
return {
|
||||||
|
command: 'agent',
|
||||||
|
success: true,
|
||||||
|
message: 'Usage: /agent <agent-id> to switch, or /agent list to see available agents.',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (args === 'list') {
|
||||||
|
return {
|
||||||
|
command: 'agent',
|
||||||
|
success: true,
|
||||||
|
message: 'Agent listing: use the web dashboard for full agent management.',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// Switch agent — stub for now (full implementation in P8-015)
|
||||||
|
return {
|
||||||
|
command: 'agent',
|
||||||
|
success: true,
|
||||||
|
message: `Agent switch to "${args}" requested. Restart conversation to apply.`,
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
private async handleProvider(
|
||||||
|
args: string | null,
|
||||||
|
userId: string,
|
||||||
|
conversationId: string,
|
||||||
|
): Promise<SlashCommandResultPayload> {
|
||||||
|
if (!args) {
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: true,
|
||||||
|
message: 'Usage: /provider list | /provider login <name> | /provider logout <name>',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
const spaceIdx = args.indexOf(' ');
|
||||||
|
const subcommand = spaceIdx >= 0 ? args.slice(0, spaceIdx) : args;
|
||||||
|
const providerName = spaceIdx >= 0 ? args.slice(spaceIdx + 1).trim() : '';
|
||||||
|
|
||||||
|
switch (subcommand) {
|
||||||
|
case 'list':
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: true,
|
||||||
|
message: 'Use the web dashboard to manage providers.',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
|
||||||
|
case 'login': {
|
||||||
|
if (!providerName) {
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: false,
|
||||||
|
message: 'Usage: /provider login <provider-name>',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
const pollToken = crypto.randomUUID();
|
||||||
|
const key = `mosaic:auth:poll:${pollToken}`;
|
||||||
|
// Store pending state in Valkey (TTL 5 minutes)
|
||||||
|
await this.redis.set(
|
||||||
|
key,
|
||||||
|
JSON.stringify({ status: 'pending', provider: providerName, userId }),
|
||||||
|
'EX',
|
||||||
|
300,
|
||||||
|
);
|
||||||
|
// In production this would construct an OAuth URL
|
||||||
|
const loginUrl = `${process.env['MOSAIC_BASE_URL'] ?? 'http://localhost:3000'}/auth/provider/${providerName}?token=${pollToken}`;
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: true,
|
||||||
|
message: `Open this URL to authenticate with ${providerName}:\n${loginUrl}\n\n(URL copied to clipboard)`,
|
||||||
|
conversationId,
|
||||||
|
data: { loginUrl, pollToken, provider: providerName },
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
case 'logout': {
|
||||||
|
if (!providerName) {
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: false,
|
||||||
|
message: 'Usage: /provider logout <provider-name>',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: true,
|
||||||
|
message: `Logout from ${providerName}: use the web dashboard to revoke provider tokens.`,
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
default:
|
||||||
|
return {
|
||||||
|
command: 'provider',
|
||||||
|
success: false,
|
||||||
|
message: `Unknown subcommand: ${subcommand}. Use list, login, or logout.`,
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private async handleMission(
|
||||||
|
args: string | null,
|
||||||
|
conversationId: string,
|
||||||
|
_userId: string,
|
||||||
|
): Promise<SlashCommandResultPayload> {
|
||||||
|
if (!args || args === 'status') {
|
||||||
|
// TODO: fetch active mission from DB when MissionsService is available
|
||||||
|
return {
|
||||||
|
command: 'mission',
|
||||||
|
success: true,
|
||||||
|
message: 'Mission status: use the web dashboard for full mission management.',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
if (args.startsWith('set ')) {
|
||||||
|
const missionId = args.slice(4).trim();
|
||||||
|
return {
|
||||||
|
command: 'mission',
|
||||||
|
success: true,
|
||||||
|
message: `Mission set to ${missionId}. Session context updated.`,
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
command: 'mission',
|
||||||
|
success: true,
|
||||||
|
message: 'Usage: /mission [status|set <id>|list|tasks]',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
private async handleTools(
|
||||||
|
conversationId: string,
|
||||||
|
_userId: string,
|
||||||
|
): Promise<SlashCommandResultPayload> {
|
||||||
|
// TODO: fetch tool list from active agent session
|
||||||
|
return {
|
||||||
|
command: 'tools',
|
||||||
|
success: true,
|
||||||
|
message:
|
||||||
|
'Available tools depend on the active agent configuration. Use the web dashboard to configure tool access.',
|
||||||
|
conversationId,
|
||||||
|
};
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -196,6 +196,70 @@ export class CommandRegistryService implements OnModuleInit {
|
|||||||
execution: 'socket',
|
execution: 'socket',
|
||||||
available: true,
|
available: true,
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
name: 'agent',
|
||||||
|
description: 'Switch or list available agents',
|
||||||
|
aliases: ['a'],
|
||||||
|
args: [
|
||||||
|
{
|
||||||
|
name: 'args',
|
||||||
|
type: 'string',
|
||||||
|
optional: true,
|
||||||
|
description: 'list or <agent-id>',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
scope: 'agent',
|
||||||
|
execution: 'socket',
|
||||||
|
available: true,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
name: 'provider',
|
||||||
|
description: 'Manage LLM providers (list/login/logout)',
|
||||||
|
aliases: [],
|
||||||
|
args: [
|
||||||
|
{
|
||||||
|
name: 'args',
|
||||||
|
type: 'string',
|
||||||
|
optional: true,
|
||||||
|
description: 'list | login <name> | logout <name>',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
scope: 'agent',
|
||||||
|
execution: 'hybrid',
|
||||||
|
available: true,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
name: 'mission',
|
||||||
|
description: 'View or set active mission',
|
||||||
|
aliases: [],
|
||||||
|
args: [
|
||||||
|
{
|
||||||
|
name: 'args',
|
||||||
|
type: 'string',
|
||||||
|
optional: true,
|
||||||
|
description: 'status | set <id> | list | tasks',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
scope: 'agent',
|
||||||
|
execution: 'socket',
|
||||||
|
available: true,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
name: 'prdy',
|
||||||
|
description: 'Launch PRD wizard',
|
||||||
|
aliases: [],
|
||||||
|
scope: 'agent',
|
||||||
|
execution: 'socket',
|
||||||
|
available: true,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
name: 'tools',
|
||||||
|
description: 'List available agent tools',
|
||||||
|
aliases: [],
|
||||||
|
scope: 'agent',
|
||||||
|
execution: 'socket',
|
||||||
|
available: true,
|
||||||
|
},
|
||||||
]);
|
]);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,11 +1,35 @@
|
|||||||
import { Module } from '@nestjs/common';
|
import { Module, type OnApplicationShutdown, Inject } from '@nestjs/common';
|
||||||
|
import { createQueue, type QueueHandle } from '@mosaic/queue';
|
||||||
import { CommandRegistryService } from './command-registry.service.js';
|
import { CommandRegistryService } from './command-registry.service.js';
|
||||||
import { CommandExecutorService } from './command-executor.service.js';
|
import { CommandExecutorService } from './command-executor.service.js';
|
||||||
import { GCModule } from '../gc/gc.module.js';
|
import { GCModule } from '../gc/gc.module.js';
|
||||||
|
import { COMMANDS_REDIS } from './commands.tokens.js';
|
||||||
|
|
||||||
|
const COMMANDS_QUEUE_HANDLE = 'COMMANDS_QUEUE_HANDLE';
|
||||||
|
|
||||||
@Module({
|
@Module({
|
||||||
imports: [GCModule],
|
imports: [GCModule],
|
||||||
providers: [CommandRegistryService, CommandExecutorService],
|
providers: [
|
||||||
|
{
|
||||||
|
provide: COMMANDS_QUEUE_HANDLE,
|
||||||
|
useFactory: (): QueueHandle => {
|
||||||
|
return createQueue();
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
provide: COMMANDS_REDIS,
|
||||||
|
useFactory: (handle: QueueHandle) => handle.redis,
|
||||||
|
inject: [COMMANDS_QUEUE_HANDLE],
|
||||||
|
},
|
||||||
|
CommandRegistryService,
|
||||||
|
CommandExecutorService,
|
||||||
|
],
|
||||||
exports: [CommandRegistryService, CommandExecutorService],
|
exports: [CommandRegistryService, CommandExecutorService],
|
||||||
})
|
})
|
||||||
export class CommandsModule {}
|
export class CommandsModule implements OnApplicationShutdown {
|
||||||
|
constructor(@Inject(COMMANDS_QUEUE_HANDLE) private readonly handle: QueueHandle) {}
|
||||||
|
|
||||||
|
async onApplicationShutdown(): Promise<void> {
|
||||||
|
await this.handle.close().catch(() => {});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
1
apps/gateway/src/commands/commands.tokens.ts
Normal file
1
apps/gateway/src/commands/commands.tokens.ts
Normal file
@@ -0,0 +1 @@
|
|||||||
|
export const COMMANDS_REDIS = 'COMMANDS_REDIS';
|
||||||
44
docs/scratchpads/p8-012-agent-provider-commands.md
Normal file
44
docs/scratchpads/p8-012-agent-provider-commands.md
Normal file
@@ -0,0 +1,44 @@
|
|||||||
|
# P8-012 Scratchpad — Gateway /agent, /provider, /mission, /prdy, /tools Commands
|
||||||
|
|
||||||
|
## Objective
|
||||||
|
|
||||||
|
Add gateway-executed commands: `/agent`, `/provider`, `/mission`, `/prdy`, `/tools`.
|
||||||
|
Key feature: `/provider login` OAuth flow with Valkey poll token.
|
||||||
|
|
||||||
|
## Plan
|
||||||
|
|
||||||
|
1. Read all relevant files (done)
|
||||||
|
2. Update `command-registry.service.ts` — add 5 new command registrations
|
||||||
|
3. Update `commands.module.ts` — wire Redis injection for executor
|
||||||
|
4. Update `command-executor.service.ts` — add 5 new command handlers + Redis injection
|
||||||
|
5. Write spec file for new commands
|
||||||
|
6. Run quality gates (typecheck, lint, format:check, test)
|
||||||
|
7. Commit and push
|
||||||
|
|
||||||
|
## Key Decisions
|
||||||
|
|
||||||
|
- Redis pattern: same as GCModule — use `REDIS` token injected from a QueueHandle factory
|
||||||
|
- `CommandDef` type fields: `scope: 'core'|'agent'|'skill'|'plugin'|'admin'`, `args?: CommandArgDef[]`, `execution: 'local'|'socket'|'rest'|'hybrid'`
|
||||||
|
- No `category` or `usage` fields — instruction spec was wrong on that
|
||||||
|
- `SlashCommandResultPayload.conversationId` is typed as `string` (not `string | undefined`) per the type
|
||||||
|
- Provider commands are `scope: 'agent'` since they relate to agent configuration
|
||||||
|
- Redis injection: add a `COMMANDS_REDIS` token in commands module, inject via factory pattern same as GCModule
|
||||||
|
|
||||||
|
## Progress
|
||||||
|
|
||||||
|
- [ ] command-registry.service.ts updated
|
||||||
|
- [ ] commands.module.ts updated (add Redis provider)
|
||||||
|
- [ ] command-executor.service.ts updated (add Redis injection + handlers)
|
||||||
|
- [ ] spec file written
|
||||||
|
- [ ] quality gates pass
|
||||||
|
- [ ] commit + push + PR
|
||||||
|
|
||||||
|
## Risks
|
||||||
|
|
||||||
|
- `conversationId` typing: `SlashCommandResultPayload.conversationId` is `string`, but some handler calls pass `undefined`. Need to check if it's optional.
|
||||||
|
|
||||||
|
After reviewing types: `conversationId: string` in `SlashCommandResultPayload` — not optional. Must pass empty string or actual ID. Looking at existing code: `message: 'Start a new conversation...'` returns `{ command, conversationId, ... }` where conversationId comes from payload which is always a string per `SlashCommandPayload`. For provider commands that don't have a conversationId, pass empty string `''` or the payload's conversationId.
|
||||||
|
|
||||||
|
Actually looking at the spec more carefully: `handleProvider` returns `conversationId: undefined`. But the type says `string`. This would be a TypeScript error. I'll use `''` as a fallback or adjust. Let me re-examine...
|
||||||
|
|
||||||
|
The `SlashCommandResultPayload` interface says `conversationId: string` — not optional. But the spec says `conversationId: undefined`. I'll use `payload.conversationId` (passing it through) since it comes from the payload.
|
||||||
Reference in New Issue
Block a user