Feat/perf dashboard (#770)
This commit is contained in:
committed by
GitHub
Unverified
parent
413244522e
commit
d8750e135b
@@ -6,8 +6,9 @@ import {
|
|||||||
deleteChannelConfig,
|
deleteChannelConfig,
|
||||||
cleanupDanglingWeChatPluginState,
|
cleanupDanglingWeChatPluginState,
|
||||||
getChannelFormValues,
|
getChannelFormValues,
|
||||||
listConfiguredChannelAccounts,
|
listConfiguredChannelAccountsFromConfig,
|
||||||
listConfiguredChannels,
|
listConfiguredChannels,
|
||||||
|
listConfiguredChannelsFromConfig,
|
||||||
readOpenClawConfig,
|
readOpenClawConfig,
|
||||||
saveChannelConfig,
|
saveChannelConfig,
|
||||||
setChannelDefaultAccount,
|
setChannelDefaultAccount,
|
||||||
@@ -20,6 +21,7 @@ import {
|
|||||||
clearAllBindingsForChannel,
|
clearAllBindingsForChannel,
|
||||||
clearChannelBinding,
|
clearChannelBinding,
|
||||||
listAgentsSnapshot,
|
listAgentsSnapshot,
|
||||||
|
listAgentsSnapshotFromConfig,
|
||||||
} from '../../utils/agent-config';
|
} from '../../utils/agent-config';
|
||||||
import {
|
import {
|
||||||
ensureDingTalkPluginInstalled,
|
ensureDingTalkPluginInstalled,
|
||||||
@@ -344,16 +346,21 @@ const CHANNEL_TARGET_CACHE_ENABLED = process.env.VITEST !== 'true';
|
|||||||
const channelTargetCache = new Map<string, { expiresAt: number; targets: ChannelTargetOptionView[] }>();
|
const channelTargetCache = new Map<string, { expiresAt: number; targets: ChannelTargetOptionView[] }>();
|
||||||
|
|
||||||
async function buildChannelAccountsView(ctx: HostApiContext): Promise<ChannelAccountsView[]> {
|
async function buildChannelAccountsView(ctx: HostApiContext): Promise<ChannelAccountsView[]> {
|
||||||
const [configuredChannels, configuredAccounts, openClawConfig, agentsSnapshot] = await Promise.all([
|
// Read config once and share across all sub-calls (was 5 readFile calls before).
|
||||||
listConfiguredChannels(),
|
const openClawConfig = await readOpenClawConfig();
|
||||||
listConfiguredChannelAccounts(),
|
|
||||||
readOpenClawConfig(),
|
const [configuredChannels, configuredAccounts, agentsSnapshot] = await Promise.all([
|
||||||
listAgentsSnapshot(),
|
listConfiguredChannelsFromConfig(openClawConfig),
|
||||||
|
Promise.resolve(listConfiguredChannelAccountsFromConfig(openClawConfig)),
|
||||||
|
listAgentsSnapshotFromConfig(openClawConfig),
|
||||||
]);
|
]);
|
||||||
|
|
||||||
let gatewayStatus: GatewayChannelStatusPayload | null;
|
let gatewayStatus: GatewayChannelStatusPayload | null;
|
||||||
try {
|
try {
|
||||||
gatewayStatus = await ctx.gatewayManager.rpc<GatewayChannelStatusPayload>('channels.status', { probe: true });
|
// probe: false — use cached runtime state instead of active network probes
|
||||||
|
// per channel. Real-time status updates arrive via channel.status events.
|
||||||
|
// 8s timeout — fail fast when Gateway is busy with AI tasks.
|
||||||
|
gatewayStatus = await ctx.gatewayManager.rpc<GatewayChannelStatusPayload>('channels.status', { probe: false }, 8000);
|
||||||
} catch {
|
} catch {
|
||||||
gatewayStatus = null;
|
gatewayStatus = null;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -414,7 +414,7 @@ export async function handleCronRoutes(
|
|||||||
|
|
||||||
try {
|
try {
|
||||||
const [jobsResult, runs, sessionEntry] = await Promise.all([
|
const [jobsResult, runs, sessionEntry] = await Promise.all([
|
||||||
ctx.gatewayManager.rpc('cron.list', { includeDisabled: true })
|
ctx.gatewayManager.rpc('cron.list', { includeDisabled: true }, 8000)
|
||||||
.catch(() => ({ jobs: [] as GatewayCronJob[] })),
|
.catch(() => ({ jobs: [] as GatewayCronJob[] })),
|
||||||
readCronRunLog(parsedSession.jobId),
|
readCronRunLog(parsedSession.jobId),
|
||||||
readSessionStoreEntry(parsedSession.agentId, sessionKey),
|
readSessionStoreEntry(parsedSession.agentId, sessionKey),
|
||||||
@@ -442,34 +442,66 @@ export async function handleCronRoutes(
|
|||||||
|
|
||||||
if (url.pathname === '/api/cron/jobs' && req.method === 'GET') {
|
if (url.pathname === '/api/cron/jobs' && req.method === 'GET') {
|
||||||
try {
|
try {
|
||||||
const result = await ctx.gatewayManager.rpc('cron.list', { includeDisabled: true });
|
let jobs: GatewayCronJob[] = [];
|
||||||
const data = result as { jobs?: GatewayCronJob[] };
|
let usedFallback = false;
|
||||||
const jobs = data?.jobs ?? [];
|
|
||||||
for (const job of jobs) {
|
try {
|
||||||
const isIsolatedAgent =
|
// 8s timeout — fail fast when Gateway is busy with AI tasks.
|
||||||
(job.sessionTarget === 'isolated' || !job.sessionTarget) &&
|
const result = await ctx.gatewayManager.rpc('cron.list', { includeDisabled: true }, 8000);
|
||||||
job.payload?.kind === 'agentTurn';
|
const data = result as { jobs?: GatewayCronJob[] };
|
||||||
const needsRepair =
|
jobs = data?.jobs ?? (Array.isArray(result) ? result as GatewayCronJob[] : []);
|
||||||
isIsolatedAgent &&
|
} catch {
|
||||||
job.delivery?.mode === 'announce' &&
|
// Fallback: read cron.json directly when Gateway RPC fails/times out.
|
||||||
!job.delivery?.channel;
|
try {
|
||||||
if (needsRepair) {
|
const cronJsonPath = join(getOpenClawConfigDir(), 'cron', 'cron.json');
|
||||||
try {
|
const raw = await readFile(cronJsonPath, 'utf-8');
|
||||||
await ctx.gatewayManager.rpc('cron.update', {
|
const parsed = JSON.parse(raw);
|
||||||
id: job.id,
|
const fileJobs = Array.isArray(parsed) ? parsed : (parsed?.jobs ?? []);
|
||||||
patch: { delivery: { mode: 'none' } },
|
jobs = fileJobs as GatewayCronJob[];
|
||||||
});
|
usedFallback = true;
|
||||||
|
} catch {
|
||||||
|
// No fallback data available either
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Run repair in background — don't block the response.
|
||||||
|
if (!usedFallback && jobs.length > 0) {
|
||||||
|
const jobsToRepair = jobs.filter((job) => {
|
||||||
|
const isIsolatedAgent =
|
||||||
|
(job.sessionTarget === 'isolated' || !job.sessionTarget) &&
|
||||||
|
job.payload?.kind === 'agentTurn';
|
||||||
|
return (
|
||||||
|
isIsolatedAgent &&
|
||||||
|
job.delivery?.mode === 'announce' &&
|
||||||
|
!job.delivery?.channel
|
||||||
|
);
|
||||||
|
});
|
||||||
|
if (jobsToRepair.length > 0) {
|
||||||
|
// Fire-and-forget: repair in background
|
||||||
|
void (async () => {
|
||||||
|
for (const job of jobsToRepair) {
|
||||||
|
try {
|
||||||
|
await ctx.gatewayManager.rpc('cron.update', {
|
||||||
|
id: job.id,
|
||||||
|
patch: { delivery: { mode: 'none' } },
|
||||||
|
});
|
||||||
|
} catch {
|
||||||
|
// ignore per-job repair failure
|
||||||
|
}
|
||||||
|
}
|
||||||
|
})();
|
||||||
|
// Optimistically fix the response data
|
||||||
|
for (const job of jobsToRepair) {
|
||||||
job.delivery = { mode: 'none' };
|
job.delivery = { mode: 'none' };
|
||||||
if (job.state?.lastError?.includes('Channel is required')) {
|
if (job.state?.lastError?.includes('Channel is required')) {
|
||||||
job.state.lastError = undefined;
|
job.state.lastError = undefined;
|
||||||
job.state.lastStatus = 'ok';
|
job.state.lastStatus = 'ok';
|
||||||
}
|
}
|
||||||
} catch {
|
|
||||||
// ignore per-job repair failure
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
sendJson(res, 200, jobs.map(transformCronJob));
|
|
||||||
|
sendJson(res, 200, jobs.map((job) => ({ ...transformCronJob(job), ...(usedFallback ? { _fromFallback: true } : {}) })));
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
sendJson(res, 500, { success: false, error: String(error) });
|
sendJson(res, 500, { success: false, error: String(error) });
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,6 +2,7 @@ import { access, copyFile, mkdir, readdir, rm } from 'fs/promises';
|
|||||||
import { constants } from 'fs';
|
import { constants } from 'fs';
|
||||||
import { join, normalize } from 'path';
|
import { join, normalize } from 'path';
|
||||||
import { deleteAgentChannelAccounts, listConfiguredChannels, readOpenClawConfig, writeOpenClawConfig } from './channel-config';
|
import { deleteAgentChannelAccounts, listConfiguredChannels, readOpenClawConfig, writeOpenClawConfig } from './channel-config';
|
||||||
|
import type { OpenClawConfig } from './channel-config';
|
||||||
import { withConfigLock } from './config-mutex';
|
import { withConfigLock } from './config-mutex';
|
||||||
import { expandPath, getOpenClawConfigDir } from './paths';
|
import { expandPath, getOpenClawConfigDir } from './paths';
|
||||||
import * as logger from './logger';
|
import * as logger from './logger';
|
||||||
@@ -450,9 +451,9 @@ function listConfiguredAccountIdsForChannel(config: AgentConfigDocument, channel
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
async function buildSnapshotFromConfig(config: AgentConfigDocument): Promise<AgentsSnapshot> {
|
async function buildSnapshotFromConfig(config: AgentConfigDocument, preloadedChannels?: string[]): Promise<AgentsSnapshot> {
|
||||||
const { entries, defaultAgentId } = normalizeAgentsConfig(config);
|
const { entries, defaultAgentId } = normalizeAgentsConfig(config);
|
||||||
const configuredChannels = await listConfiguredChannels();
|
const configuredChannels = preloadedChannels ?? await listConfiguredChannels();
|
||||||
const { channelToAgent, accountToAgent } = getChannelBindingMap(config.bindings);
|
const { channelToAgent, accountToAgent } = getChannelBindingMap(config.bindings);
|
||||||
const defaultAgentIdNorm = normalizeAgentIdForBinding(defaultAgentId);
|
const defaultAgentIdNorm = normalizeAgentIdForBinding(defaultAgentId);
|
||||||
const channelOwners: Record<string, string> = {};
|
const channelOwners: Record<string, string> = {};
|
||||||
@@ -539,6 +540,10 @@ export async function listAgentsSnapshot(): Promise<AgentsSnapshot> {
|
|||||||
return buildSnapshotFromConfig(config);
|
return buildSnapshotFromConfig(config);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export async function listAgentsSnapshotFromConfig(config: OpenClawConfig, configuredChannels?: string[]): Promise<AgentsSnapshot> {
|
||||||
|
return buildSnapshotFromConfig(config as AgentConfigDocument, configuredChannels);
|
||||||
|
}
|
||||||
|
|
||||||
export async function listConfiguredAgentIds(): Promise<string[]> {
|
export async function listConfiguredAgentIds(): Promise<string[]> {
|
||||||
const config = await readOpenClawConfig() as AgentConfigDocument;
|
const config = await readOpenClawConfig() as AgentConfigDocument;
|
||||||
const { entries } = normalizeAgentsConfig(config);
|
const { entries } = normalizeAgentsConfig(config);
|
||||||
|
|||||||
@@ -966,8 +966,7 @@ function channelHasAnyAccount(channelSection: ChannelConfigData): boolean {
|
|||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
export async function listConfiguredChannels(): Promise<string[]> {
|
export async function listConfiguredChannelsFromConfig(config: OpenClawConfig): Promise<string[]> {
|
||||||
const config = await readOpenClawConfig();
|
|
||||||
const channels: string[] = [];
|
const channels: string[] = [];
|
||||||
|
|
||||||
if (config.channels) {
|
if (config.channels) {
|
||||||
@@ -1005,13 +1004,17 @@ export async function listConfiguredChannels(): Promise<string[]> {
|
|||||||
return channels;
|
return channels;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export async function listConfiguredChannels(): Promise<string[]> {
|
||||||
|
const config = await readOpenClawConfig();
|
||||||
|
return listConfiguredChannelsFromConfig(config);
|
||||||
|
}
|
||||||
|
|
||||||
export interface ConfiguredChannelAccounts {
|
export interface ConfiguredChannelAccounts {
|
||||||
defaultAccountId: string;
|
defaultAccountId: string;
|
||||||
accountIds: string[];
|
accountIds: string[];
|
||||||
}
|
}
|
||||||
|
|
||||||
export async function listConfiguredChannelAccounts(): Promise<Record<string, ConfiguredChannelAccounts>> {
|
export function listConfiguredChannelAccountsFromConfig(config: OpenClawConfig): Record<string, ConfiguredChannelAccounts> {
|
||||||
const config = await readOpenClawConfig();
|
|
||||||
const result: Record<string, ConfiguredChannelAccounts> = {};
|
const result: Record<string, ConfiguredChannelAccounts> = {};
|
||||||
|
|
||||||
if (!config.channels) {
|
if (!config.channels) {
|
||||||
@@ -1059,6 +1062,11 @@ export async function listConfiguredChannelAccounts(): Promise<Record<string, Co
|
|||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export async function listConfiguredChannelAccounts(): Promise<Record<string, ConfiguredChannelAccounts>> {
|
||||||
|
const config = await readOpenClawConfig();
|
||||||
|
return listConfiguredChannelAccountsFromConfig(config);
|
||||||
|
}
|
||||||
|
|
||||||
export async function setChannelDefaultAccount(channelType: string, accountId: string): Promise<void> {
|
export async function setChannelDefaultAccount(channelType: string, accountId: string): Promise<void> {
|
||||||
return withConfigLock(async () => {
|
return withConfigLock(async () => {
|
||||||
const resolvedChannelType = resolveStoredChannelType(channelType);
|
const resolvedChannelType = resolveStoredChannelType(channelType);
|
||||||
|
|||||||
@@ -96,8 +96,20 @@ export function Channels() {
|
|||||||
const hasStableValue = visibleChannelGroups.length > 0 || visibleAgents.length > 0;
|
const hasStableValue = visibleChannelGroups.length > 0 || visibleAgents.length > 0;
|
||||||
const isUsingStableValue = hasStableValue && (loading || Boolean(error));
|
const isUsingStableValue = hasStableValue && (loading || Boolean(error));
|
||||||
|
|
||||||
|
// Use refs to read current state inside fetchPageData without making it
|
||||||
|
// a dependency — keeps the callback reference stable across renders so
|
||||||
|
// downstream useEffects don't re-execute every time data changes.
|
||||||
|
const channelGroupsRef = useRef(channelGroups);
|
||||||
|
channelGroupsRef.current = channelGroups;
|
||||||
|
const agentsRef = useRef(agents);
|
||||||
|
agentsRef.current = agents;
|
||||||
|
|
||||||
const fetchPageData = useCallback(async () => {
|
const fetchPageData = useCallback(async () => {
|
||||||
setLoading(true);
|
// Only show loading spinner on first load (stale-while-revalidate).
|
||||||
|
const hasData = channelGroupsRef.current.length > 0 || agentsRef.current.length > 0;
|
||||||
|
if (!hasData) {
|
||||||
|
setLoading(true);
|
||||||
|
}
|
||||||
setError(null);
|
setError(null);
|
||||||
try {
|
try {
|
||||||
const [channelsRes, agentsRes] = await Promise.all([
|
const [channelsRes, agentsRes] = await Promise.all([
|
||||||
@@ -116,10 +128,13 @@ export function Channels() {
|
|||||||
setChannelGroups(channelsRes.channels || []);
|
setChannelGroups(channelsRes.channels || []);
|
||||||
setAgents(agentsRes.agents || []);
|
setAgents(agentsRes.agents || []);
|
||||||
} catch (fetchError) {
|
} catch (fetchError) {
|
||||||
|
// Preserve previous data on error — don't clear channelGroups/agents.
|
||||||
setError(String(fetchError));
|
setError(String(fetchError));
|
||||||
} finally {
|
} finally {
|
||||||
setLoading(false);
|
setLoading(false);
|
||||||
}
|
}
|
||||||
|
// Stable reference — reads state via refs, no deps needed.
|
||||||
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
@@ -127,13 +142,31 @@ export function Channels() {
|
|||||||
}, [fetchPageData]);
|
}, [fetchPageData]);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
|
// Throttle channel-status events to avoid flooding fetchPageData during AI tasks.
|
||||||
|
let throttleTimer: ReturnType<typeof setTimeout> | null = null;
|
||||||
|
let pending = false;
|
||||||
|
|
||||||
const unsubscribe = subscribeHostEvent('gateway:channel-status', () => {
|
const unsubscribe = subscribeHostEvent('gateway:channel-status', () => {
|
||||||
|
if (throttleTimer) {
|
||||||
|
pending = true;
|
||||||
|
return;
|
||||||
|
}
|
||||||
void fetchPageData();
|
void fetchPageData();
|
||||||
|
throttleTimer = setTimeout(() => {
|
||||||
|
throttleTimer = null;
|
||||||
|
if (pending) {
|
||||||
|
pending = false;
|
||||||
|
void fetchPageData();
|
||||||
|
}
|
||||||
|
}, 2000);
|
||||||
});
|
});
|
||||||
return () => {
|
return () => {
|
||||||
if (typeof unsubscribe === 'function') {
|
if (typeof unsubscribe === 'function') {
|
||||||
unsubscribe();
|
unsubscribe();
|
||||||
}
|
}
|
||||||
|
if (throttleTimer) {
|
||||||
|
clearTimeout(throttleTimer);
|
||||||
|
}
|
||||||
};
|
};
|
||||||
}, [fetchPageData]);
|
}, [fetchPageData]);
|
||||||
|
|
||||||
|
|||||||
@@ -80,7 +80,7 @@ export const useChannelsStore = create<ChannelsState>((set, get) => ({
|
|||||||
} | null;
|
} | null;
|
||||||
}>>;
|
}>>;
|
||||||
channelDefaultAccountId?: Record<string, string>;
|
channelDefaultAccountId?: Record<string, string>;
|
||||||
}>('channels.status', { probe: true });
|
}>('channels.status', { probe: false });
|
||||||
if (data) {
|
if (data) {
|
||||||
const channels: Channel[] = [];
|
const channels: Channel[] = [];
|
||||||
|
|
||||||
|
|||||||
@@ -27,12 +27,19 @@ export const useCronStore = create<CronState>((set) => ({
|
|||||||
error: null,
|
error: null,
|
||||||
|
|
||||||
fetchJobs: async () => {
|
fetchJobs: async () => {
|
||||||
set({ loading: true, error: null });
|
const currentJobs = useCronStore.getState().jobs;
|
||||||
|
// Only show loading spinner when there's no data yet (stale-while-revalidate).
|
||||||
|
if (currentJobs.length === 0) {
|
||||||
|
set({ loading: true, error: null });
|
||||||
|
} else {
|
||||||
|
set({ error: null });
|
||||||
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const result = await hostApiFetch<CronJob[]>('/api/cron/jobs');
|
const result = await hostApiFetch<CronJob[]>('/api/cron/jobs');
|
||||||
set({ jobs: result, loading: false });
|
set({ jobs: result, loading: false });
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
|
// Preserve previous jobs on error so the user sees stale data instead of nothing.
|
||||||
set({ error: String(error), loading: false });
|
set({ error: String(error), loading: false });
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -171,7 +171,8 @@ export const useSkillsStore = create<SkillsState>((set, get) => ({
|
|||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error('Failed to fetch skills:', error);
|
console.error('Failed to fetch skills:', error);
|
||||||
const appError = normalizeAppError(error, { module: 'skills', operation: 'fetch' });
|
const appError = normalizeAppError(error, { module: 'skills', operation: 'fetch' });
|
||||||
set({ loading: false, error: mapErrorCodeToSkillErrorKey(appError.code, 'fetch') });
|
// Preserve previous skills on error (stale-while-revalidate).
|
||||||
|
set((prev) => ({ loading: false, error: mapErrorCodeToSkillErrorKey(appError.code, 'fetch'), skills: prev.skills }));
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
|
||||||
|
|||||||
@@ -18,7 +18,9 @@ vi.mock('@electron/utils/channel-config', () => ({
|
|||||||
deleteChannelConfig: vi.fn(),
|
deleteChannelConfig: vi.fn(),
|
||||||
getChannelFormValues: vi.fn(),
|
getChannelFormValues: vi.fn(),
|
||||||
listConfiguredChannelAccounts: (...args: unknown[]) => listConfiguredChannelAccountsMock(...args),
|
listConfiguredChannelAccounts: (...args: unknown[]) => listConfiguredChannelAccountsMock(...args),
|
||||||
|
listConfiguredChannelAccountsFromConfig: (...args: unknown[]) => listConfiguredChannelAccountsMock(...args),
|
||||||
listConfiguredChannels: (...args: unknown[]) => listConfiguredChannelsMock(...args),
|
listConfiguredChannels: (...args: unknown[]) => listConfiguredChannelsMock(...args),
|
||||||
|
listConfiguredChannelsFromConfig: (...args: unknown[]) => listConfiguredChannelsMock(...args),
|
||||||
readOpenClawConfig: (...args: unknown[]) => readOpenClawConfigMock(...args),
|
readOpenClawConfig: (...args: unknown[]) => readOpenClawConfigMock(...args),
|
||||||
saveChannelConfig: vi.fn(),
|
saveChannelConfig: vi.fn(),
|
||||||
setChannelDefaultAccount: vi.fn(),
|
setChannelDefaultAccount: vi.fn(),
|
||||||
@@ -32,6 +34,7 @@ vi.mock('@electron/utils/agent-config', () => ({
|
|||||||
clearAllBindingsForChannel: vi.fn(),
|
clearAllBindingsForChannel: vi.fn(),
|
||||||
clearChannelBinding: vi.fn(),
|
clearChannelBinding: vi.fn(),
|
||||||
listAgentsSnapshot: (...args: unknown[]) => listAgentsSnapshotMock(...args),
|
listAgentsSnapshot: (...args: unknown[]) => listAgentsSnapshotMock(...args),
|
||||||
|
listAgentsSnapshotFromConfig: (...args: unknown[]) => listAgentsSnapshotMock(...args),
|
||||||
}));
|
}));
|
||||||
|
|
||||||
vi.mock('@electron/utils/plugin-install', () => ({
|
vi.mock('@electron/utils/plugin-install', () => ({
|
||||||
@@ -171,7 +174,7 @@ describe('handleChannelRoutes', () => {
|
|||||||
);
|
);
|
||||||
|
|
||||||
expect(handled).toBe(true);
|
expect(handled).toBe(true);
|
||||||
expect(rpc).toHaveBeenCalledWith('channels.status', { probe: true });
|
expect(rpc).toHaveBeenCalledWith('channels.status', { probe: false }, 8000);
|
||||||
expect(sendJsonMock).toHaveBeenCalledWith(
|
expect(sendJsonMock).toHaveBeenCalledWith(
|
||||||
expect.anything(),
|
expect.anything(),
|
||||||
200,
|
200,
|
||||||
|
|||||||
Reference in New Issue
Block a user