103 lines
2.4 KiB
TypeScript
103 lines
2.4 KiB
TypeScript
import { afterAll, beforeEach, describe, expect, it, vi } from "vitest";
|
|
|
|
import type { CliDeps } from "../cli/deps.js";
|
|
import type { RuntimeEnv } from "../runtime.js";
|
|
import { sendCommand } from "./send.js";
|
|
|
|
const callGatewayMock = vi.fn();
|
|
vi.mock("../gateway/call.js", () => ({
|
|
callGateway: (...args: unknown[]) => callGatewayMock(...args),
|
|
randomIdempotencyKey: () => "idem-1",
|
|
}));
|
|
|
|
const originalTelegramToken = process.env.TELEGRAM_BOT_TOKEN;
|
|
|
|
beforeEach(() => {
|
|
process.env.TELEGRAM_BOT_TOKEN = "token-abc";
|
|
});
|
|
|
|
afterAll(() => {
|
|
process.env.TELEGRAM_BOT_TOKEN = originalTelegramToken;
|
|
});
|
|
|
|
const runtime: RuntimeEnv = {
|
|
log: vi.fn(),
|
|
error: vi.fn(),
|
|
exit: vi.fn(() => {
|
|
throw new Error("exit");
|
|
}),
|
|
};
|
|
|
|
const makeDeps = (overrides: Partial<CliDeps> = {}): CliDeps => ({
|
|
sendMessageWhatsApp: vi.fn(),
|
|
sendMessageTelegram: vi.fn(),
|
|
...overrides,
|
|
});
|
|
|
|
describe("sendCommand", () => {
|
|
it("skips send on dry-run", async () => {
|
|
const deps = makeDeps();
|
|
await sendCommand(
|
|
{
|
|
to: "+1",
|
|
message: "hi",
|
|
dryRun: true,
|
|
},
|
|
deps,
|
|
runtime,
|
|
);
|
|
expect(deps.sendMessageWhatsApp).not.toHaveBeenCalled();
|
|
});
|
|
|
|
it("sends via gateway", async () => {
|
|
callGatewayMock.mockResolvedValueOnce({ messageId: "g1" });
|
|
const deps = makeDeps();
|
|
await sendCommand(
|
|
{
|
|
to: "+1",
|
|
message: "hi",
|
|
},
|
|
deps,
|
|
runtime,
|
|
);
|
|
expect(callGatewayMock).toHaveBeenCalled();
|
|
expect(runtime.log).toHaveBeenCalledWith(expect.stringContaining("g1"));
|
|
});
|
|
|
|
it("routes to telegram provider", async () => {
|
|
const deps = makeDeps({
|
|
sendMessageTelegram: vi
|
|
.fn()
|
|
.mockResolvedValue({ messageId: "t1", chatId: "123" }),
|
|
});
|
|
await sendCommand(
|
|
{ to: "123", message: "hi", provider: "telegram" },
|
|
deps,
|
|
runtime,
|
|
);
|
|
expect(deps.sendMessageTelegram).toHaveBeenCalledWith(
|
|
"123",
|
|
"hi",
|
|
expect.objectContaining({ token: "token-abc" }),
|
|
);
|
|
expect(deps.sendMessageWhatsApp).not.toHaveBeenCalled();
|
|
});
|
|
|
|
it("emits json output", async () => {
|
|
callGatewayMock.mockResolvedValueOnce({ messageId: "direct2" });
|
|
const deps = makeDeps();
|
|
await sendCommand(
|
|
{
|
|
to: "+1",
|
|
message: "hi",
|
|
json: true,
|
|
},
|
|
deps,
|
|
runtime,
|
|
);
|
|
expect(runtime.log).toHaveBeenCalledWith(
|
|
expect.stringContaining('"provider": "web"'),
|
|
);
|
|
});
|
|
});
|