一部設定をパラメータから上書き出来るように修正

This commit is contained in:
おさむのひと 2024-09-03 21:17:41 +09:00
parent 6aaa114b5c
commit c14763d12a
17 changed files with 400 additions and 147 deletions

2
locales/index.d.ts vendored
View file

@ -9466,7 +9466,7 @@ export interface Locale extends ILocale {
*/ */
"deleteConfirm": string; "deleteConfirm": string;
/** /**
* 使Webhookを送信できますWebhookは保存された情報 * 使Webhookを送信できます
*/ */
"testRemarks": string; "testRemarks": string;
}; };

View file

@ -2509,7 +2509,7 @@ _webhookSettings:
abuseReportResolved: "ユーザーからの通報を処理したとき" abuseReportResolved: "ユーザーからの通報を処理したとき"
userCreated: "ユーザーが作成されたとき" userCreated: "ユーザーが作成されたとき"
deleteConfirm: "Webhookを削除しますか" deleteConfirm: "Webhookを削除しますか"
testRemarks: "スイッチの右にあるボタンをクリックするとダミーのデータを使用したテスト用Webhookを送信できます。テスト用Webhookは保存された情報有効・無効、送信先などをもとに送信されるため、設定変更後にテストを行う場合は、事前に設定を保存しておく必要があります。" testRemarks: "スイッチの右にあるボタンをクリックするとダミーのデータを使用したテスト用Webhookを送信できます。"
_abuseReport: _abuseReport:
_notificationRecipient: _notificationRecipient:

View file

@ -452,7 +452,7 @@ export class QueueService {
/** /**
* @see UserWebhookDeliverJobData * @see UserWebhookDeliverJobData
* @see WebhookDeliverProcessorService * @see UserWebhookDeliverProcessorService
*/ */
@bindThis @bindThis
public userWebhookDeliver( public userWebhookDeliver(
@ -484,7 +484,7 @@ export class QueueService {
/** /**
* @see SystemWebhookDeliverJobData * @see SystemWebhookDeliverJobData
* @see WebhookDeliverProcessorService * @see SystemWebhookDeliverProcessorService
*/ */
@bindThis @bindThis
public systemWebhookDeliver( public systemWebhookDeliver(

View file

@ -172,9 +172,6 @@ export class SystemWebhookService implements OnApplicationShutdown {
webhook: MiSystemWebhook | MiSystemWebhook['id'], webhook: MiSystemWebhook | MiSystemWebhook['id'],
type: T, type: T,
content: unknown, content: unknown,
opts?: {
attempts?: number;
},
) { ) {
const webhookEntity = typeof webhook === 'string' const webhookEntity = typeof webhook === 'string'
? (await this.fetchActiveSystemWebhooks()).find(a => a.id === webhook) ? (await this.fetchActiveSystemWebhooks()).find(a => a.id === webhook)
@ -189,7 +186,7 @@ export class SystemWebhookService implements OnApplicationShutdown {
return; return;
} }
return this.queueService.systemWebhookDeliver(webhookEntity, type, content, opts); return this.queueService.systemWebhookDeliver(webhookEntity, type, content);
} }
@bindThis @bindThis

View file

@ -6,18 +6,14 @@
import { Inject, Injectable } from '@nestjs/common'; import { Inject, Injectable } from '@nestjs/common';
import * as Redis from 'ioredis'; import * as Redis from 'ioredis';
import { type WebhooksRepository } from '@/models/_.js'; import { type WebhooksRepository } from '@/models/_.js';
import { MiWebhook, WebhookEventTypes } from '@/models/Webhook.js'; import { MiWebhook } from '@/models/Webhook.js';
import { DI } from '@/di-symbols.js'; import { DI } from '@/di-symbols.js';
import { bindThis } from '@/decorators.js'; import { bindThis } from '@/decorators.js';
import { GlobalEvents } from '@/core/GlobalEventService.js'; import { GlobalEvents } from '@/core/GlobalEventService.js';
import Logger from '@/logger.js';
import { LoggerService } from '@/core/LoggerService.js';
import { QueueService } from '@/core/QueueService.js';
import type { OnApplicationShutdown } from '@nestjs/common'; import type { OnApplicationShutdown } from '@nestjs/common';
@Injectable() @Injectable()
export class UserWebhookService implements OnApplicationShutdown { export class UserWebhookService implements OnApplicationShutdown {
private logger: Logger;
private activeWebhooksFetched = false; private activeWebhooksFetched = false;
private activeWebhooks: MiWebhook[] = []; private activeWebhooks: MiWebhook[] = [];
@ -26,11 +22,8 @@ export class UserWebhookService implements OnApplicationShutdown {
private redisForSub: Redis.Redis, private redisForSub: Redis.Redis,
@Inject(DI.webhooksRepository) @Inject(DI.webhooksRepository)
private webhooksRepository: WebhooksRepository, private webhooksRepository: WebhooksRepository,
private loggerService: LoggerService,
private queueService: QueueService,
) { ) {
this.redisForSub.on('message', this.onMessage); this.redisForSub.on('message', this.onMessage);
this.logger = this.loggerService.getLogger('webhook');
} }
@bindThis @bindThis
@ -46,33 +39,28 @@ export class UserWebhookService implements OnApplicationShutdown {
} }
/** /**
* UserWebhook Webhook配送キューに追加する * UserWebhook .
* @see QueueService.systemWebhookDeliver
* // TODO: contentの型を厳格化する
*/ */
@bindThis @bindThis
public async enqueueUserWebhook<T extends WebhookEventTypes>( public async fetchWebhooks(params?: {
webhook: MiWebhook | MiWebhook['id'], ids?: MiWebhook['id'][];
type: T, isActive?: MiWebhook['active'];
content: unknown, on?: MiWebhook['on'];
opts?: { }): Promise<MiWebhook[]> {
attempts?: number; const query = this.webhooksRepository.createQueryBuilder('webhook');
}, if (params) {
) { if (params.ids && params.ids.length > 0) {
const webhookEntity = typeof webhook === 'string' query.andWhere('webhook.id IN (:...ids)', { ids: params.ids });
? (await this.getActiveWebhooks()).find(a => a.id === webhook) }
: webhook; if (params.isActive !== undefined) {
if (!webhookEntity || !webhookEntity.active) { query.andWhere('webhook.active = :isActive', { isActive: params.isActive });
this.logger.debug(`UserWebhook is not active or not found : ${webhook}`); }
return; if (params.on && params.on.length > 0) {
query.andWhere(':on <@ webhook.on', { on: params.on });
}
} }
if (!webhookEntity.on.includes(type)) { return query.getMany();
this.logger.debug(`UserWebhook ${webhookEntity.id} is not listening to ${type}`);
return;
}
return this.queueService.userWebhookDeliver(webhookEntity, type, content, opts);
} }
@bindThis @bindThis

View file

@ -11,6 +11,7 @@ import { SystemWebhookService } from '@/core/SystemWebhookService.js';
import { Packed } from '@/misc/json-schema.js'; import { Packed } from '@/misc/json-schema.js';
import { type WebhookEventTypes } from '@/models/Webhook.js'; import { type WebhookEventTypes } from '@/models/Webhook.js';
import { UserWebhookService } from '@/core/UserWebhookService.js'; import { UserWebhookService } from '@/core/UserWebhookService.js';
import { QueueService } from '@/core/QueueService.js';
const oneDayMillis = 24 * 60 * 60 * 1000; const oneDayMillis = 24 * 60 * 60 * 1000;
@ -266,32 +267,48 @@ const dummyUser3 = generateDummyUser({
@Injectable() @Injectable()
export class WebhookTestService { export class WebhookTestService {
public static NoSuchActiveWebhookError = class extends Error {}; public static NoSuchWebhookError = class extends Error {};
constructor( constructor(
private userWebhookService: UserWebhookService, private userWebhookService: UserWebhookService,
private systemWebhookService: SystemWebhookService, private systemWebhookService: SystemWebhookService,
private queueService: QueueService,
) { ) {
} }
/** /**
* UserWebhookのテスト送信を行う. * UserWebhookのテスト送信を行う.
* . * .
*
* Webhookは以下の設定を無視する.
* - Webhookそのものの有効active
* - on
*/ */
@bindThis @bindThis
public async testUserWebhook( public async testUserWebhook(
params: { webhookId: MiWebhook | MiWebhook['id'], type: WebhookEventTypes }, params: {
webhookId: MiWebhook['id'],
type: WebhookEventTypes,
override?: Partial<Omit<MiWebhook, 'id'>>,
},
sender: MiUser | null, sender: MiUser | null,
) { ) {
const webhook = (await this.userWebhookService.getActiveWebhooks()) const webhooks = await this.userWebhookService.fetchWebhooks({ ids: [params.webhookId] })
.find(a => a.id === params.webhookId && a.userId === sender?.id); .then(it => it.filter(it => it.userId === sender?.id));
if (!webhook || !webhook.active) { if (webhooks.length === 0) {
throw new WebhookTestService.NoSuchActiveWebhookError(); throw new WebhookTestService.NoSuchWebhookError();
} }
const webhook = webhooks[0];
const send = (contents: unknown) => { const send = (contents: unknown) => {
// テストなのでJobの試行回数は1回だけ const merged = {
this.userWebhookService.enqueueUserWebhook(webhook, params.type, contents, { attempts: 1 }); ...webhook,
...params.override,
};
// テスト目的なのでUserWebhookServiceの機能を経由せず直接キューに追加するチェック処理などをスキップする意図.
// また、Jobの試行回数も1回だけ.
this.queueService.userWebhookDeliver(merged, params.type, contents, { attempts: 1 });
}; };
const dummyNote1 = generateDummyNote({ const dummyNote1 = generateDummyNote({
@ -356,20 +373,34 @@ export class WebhookTestService {
/** /**
* SystemWebhookのテスト送信を行う. * SystemWebhookのテスト送信を行う.
* . * .
*
* Webhookは以下の設定を無視する.
* - Webhookそのものの有効isActive
* - on
*/ */
@bindThis @bindThis
public async testSystemWebhook( public async testSystemWebhook(
params: { webhookId: MiSystemWebhook['id'], type: SystemWebhookEventType }, params: {
webhookId: MiSystemWebhook['id'],
type: SystemWebhookEventType,
override?: Partial<Omit<MiSystemWebhook, 'id'>>,
},
) { ) {
const webhook = (await this.systemWebhookService.fetchActiveSystemWebhooks()) const webhooks = await this.systemWebhookService.fetchSystemWebhooks({ ids: [params.webhookId] });
.find(a => a.id === params.webhookId); if (webhooks.length === 0) {
if (!webhook || !webhook.isActive) { throw new WebhookTestService.NoSuchWebhookError();
throw new WebhookTestService.NoSuchActiveWebhookError();
} }
const webhook = webhooks[0];
const send = (contents: unknown) => { const send = (contents: unknown) => {
// テストなのでJobの試行回数は1回だけ const merged = {
this.systemWebhookService.enqueueSystemWebhook(webhook, params.type, contents, { attempts: 1 }); ...webhook,
...params.override,
};
// テスト目的なのでSystemWebhookServiceの機能を経由せず直接キューに追加するチェック処理などをスキップする意図.
// また、Jobの試行回数も1回だけ.
this.queueService.systemWebhookDeliver(merged, params.type, contents, { attempts: 1 });
}; };
switch (params.type) { switch (params.type) {

View file

@ -59,7 +59,6 @@ import {
} from '@/models/json-schema/meta.js'; } from '@/models/json-schema/meta.js';
import { packedSystemWebhookSchema } from '@/models/json-schema/system-webhook.js'; import { packedSystemWebhookSchema } from '@/models/json-schema/system-webhook.js';
import { packedAbuseReportNotificationRecipientSchema } from '@/models/json-schema/abuse-report-notification-recipient.js'; import { packedAbuseReportNotificationRecipientSchema } from '@/models/json-schema/abuse-report-notification-recipient.js';
import { packedUserWebhookSchema } from '@/models/json-schema/user-webhook.js';
export const refs = { export const refs = {
UserLite: packedUserLiteSchema, UserLite: packedUserLiteSchema,
@ -114,7 +113,6 @@ export const refs = {
MetaLite: packedMetaLiteSchema, MetaLite: packedMetaLiteSchema,
MetaDetailedOnly: packedMetaDetailedOnlySchema, MetaDetailedOnly: packedMetaDetailedOnlySchema,
MetaDetailed: packedMetaDetailedSchema, MetaDetailed: packedMetaDetailedSchema,
UserWebhook: packedUserWebhookSchema,
SystemWebhook: packedSystemWebhookSchema, SystemWebhook: packedSystemWebhookSchema,
AbuseReportNotificationRecipient: packedAbuseReportNotificationRecipientSchema, AbuseReportNotificationRecipient: packedAbuseReportNotificationRecipientSchema,
}; };

View file

@ -1,33 +0,0 @@
/*
* SPDX-FileCopyrightText: syuilo and misskey-project
* SPDX-License-Identifier: AGPL-3.0-only
*/
import { webhookEventTypes } from '@/models/Webhook.js';
export const packedUserWebhookSchema = {
type: 'object',
properties: {
id: {
type: 'string',
format: 'misskey:id',
},
userId: {
type: 'string',
format: 'misskey:id',
},
name: { type: 'string' },
on: {
type: 'array',
items: {
type: 'string',
enum: webhookEventTypes,
},
},
url: { type: 'string' },
secret: { type: 'string' },
active: { type: 'boolean' },
latestSentAt: { type: 'string', format: 'date-time', nullable: true },
latestStatus: { type: 'integer', nullable: true },
},
} as const;

View file

@ -24,9 +24,9 @@ export const meta = {
}, },
errors: { errors: {
noSuchActiveWebhook: { noSuchWebhook: {
message: 'No such active webhook.', message: 'No such webhook.',
code: 'NO_SUCH_ACTIVE_WEBHOOK', code: 'NO_SUCH_WEBHOOK',
id: '0c52149c-e913-18f8-5dc7-74870bfe0cf9', id: '0c52149c-e913-18f8-5dc7-74870bfe0cf9',
}, },
}, },
@ -43,6 +43,13 @@ export const paramDef = {
type: 'string', type: 'string',
enum: systemWebhookEventTypes, enum: systemWebhookEventTypes,
}, },
override: {
type: 'object',
properties: {
url: { type: 'string', nullable: false },
secret: { type: 'string', nullable: false },
},
},
}, },
required: ['webhookId', 'type'], required: ['webhookId', 'type'],
} as const; } as const;
@ -54,10 +61,14 @@ export default class extends Endpoint<typeof meta, typeof paramDef> { // eslint-
) { ) {
super(meta, paramDef, async (ps) => { super(meta, paramDef, async (ps) => {
try { try {
await this.webhookTestService.testSystemWebhook({ webhookId: ps.webhookId, type: ps.type }); await this.webhookTestService.testSystemWebhook({
webhookId: ps.webhookId,
type: ps.type,
override: ps.override,
});
} catch (e) { } catch (e) {
if (e instanceof WebhookTestService.NoSuchActiveWebhookError) { if (e instanceof WebhookTestService.NoSuchWebhookError) {
throw new ApiError(meta.errors.noSuchActiveWebhook); throw new ApiError(meta.errors.noSuchWebhook);
} }
throw e; throw e;
} }

View file

@ -14,6 +14,7 @@ export const meta = {
tags: ['webhooks'], tags: ['webhooks'],
requireCredential: true, requireCredential: true,
secure: true,
kind: 'read:account', kind: 'read:account',
limit: { limit: {
@ -22,9 +23,9 @@ export const meta = {
}, },
errors: { errors: {
noSuchActiveWebhook: { noSuchWebhook: {
message: 'No such active webhook.', message: 'No such webhook.',
code: 'NO_SUCH_ACTIVE_WEBHOOK', code: 'NO_SUCH_WEBHOOK',
id: '0c52149c-e913-18f8-5dc7-74870bfe0cf9', id: '0c52149c-e913-18f8-5dc7-74870bfe0cf9',
}, },
}, },
@ -41,6 +42,13 @@ export const paramDef = {
type: 'string', type: 'string',
enum: webhookEventTypes, enum: webhookEventTypes,
}, },
override: {
type: 'object',
properties: {
url: { type: 'string' },
secret: { type: 'string' },
},
},
}, },
required: ['webhookId', 'type'], required: ['webhookId', 'type'],
} as const; } as const;
@ -52,10 +60,14 @@ export default class extends Endpoint<typeof meta, typeof paramDef> { // eslint-
) { ) {
super(meta, paramDef, async (ps, me) => { super(meta, paramDef, async (ps, me) => {
try { try {
await this.webhookTestService.testUserWebhook({ webhookId: ps.webhookId, type: ps.type }, me); await this.webhookTestService.testUserWebhook({
webhookId: ps.webhookId,
type: ps.type,
override: ps.override,
}, me);
} catch (e) { } catch (e) {
if (e instanceof WebhookTestService.NoSuchActiveWebhookError) { if (e instanceof WebhookTestService.NoSuchWebhookError) {
throw new ApiError(meta.errors.noSuchActiveWebhook); throw new ApiError(meta.errors.noSuchWebhook);
} }
throw e; throw e;
} }

View file

@ -0,0 +1,245 @@
/*
* SPDX-FileCopyrightText: syuilo and misskey-project
* SPDX-License-Identifier: AGPL-3.0-only
*/
import { afterEach, beforeEach, describe, expect, jest } from '@jest/globals';
import { Test, TestingModule } from '@nestjs/testing';
import { randomString } from '../utils.js';
import { MiUser } from '@/models/User.js';
import { MiWebhook, UsersRepository, WebhooksRepository } from '@/models/_.js';
import { IdService } from '@/core/IdService.js';
import { GlobalModule } from '@/GlobalModule.js';
import { GlobalEventService } from '@/core/GlobalEventService.js';
import { DI } from '@/di-symbols.js';
import { QueueService } from '@/core/QueueService.js';
import { LoggerService } from '@/core/LoggerService.js';
import { UserWebhookService } from '@/core/UserWebhookService.js';
describe('UserWebhookService', () => {
let app: TestingModule;
let service: UserWebhookService;
// --------------------------------------------------------------------------------------
let usersRepository: UsersRepository;
let userWebhooksRepository: WebhooksRepository;
let idService: IdService;
let queueService: jest.Mocked<QueueService>;
// --------------------------------------------------------------------------------------
let root: MiUser;
// --------------------------------------------------------------------------------------
async function createUser(data: Partial<MiUser> = {}) {
return await usersRepository
.insert({
id: idService.gen(),
...data,
})
.then(x => usersRepository.findOneByOrFail(x.identifiers[0]));
}
async function createWebhook(data: Partial<MiWebhook> = {}) {
return userWebhooksRepository
.insert({
id: idService.gen(),
name: randomString(),
on: ['mention'],
url: 'https://example.com',
secret: randomString(),
userId: root.id,
...data,
})
.then(x => userWebhooksRepository.findOneByOrFail(x.identifiers[0]));
}
// --------------------------------------------------------------------------------------
async function beforeAllImpl() {
app = await Test
.createTestingModule({
imports: [
GlobalModule,
],
providers: [
UserWebhookService,
IdService,
LoggerService,
GlobalEventService,
{
provide: QueueService, useFactory: () => ({ systemWebhookDeliver: jest.fn() }),
},
],
})
.compile();
usersRepository = app.get(DI.usersRepository);
userWebhooksRepository = app.get(DI.webhooksRepository);
service = app.get(UserWebhookService);
idService = app.get(IdService);
queueService = app.get(QueueService) as jest.Mocked<QueueService>;
app.enableShutdownHooks();
}
async function afterAllImpl() {
await app.close();
}
async function beforeEachImpl() {
root = await createUser({ isRoot: true, username: 'root', usernameLower: 'root' });
}
async function afterEachImpl() {
await usersRepository.delete({});
await userWebhooksRepository.delete({});
}
// --------------------------------------------------------------------------------------
describe('アプリを毎回作り直す必要のないグループ', () => {
beforeAll(beforeAllImpl);
afterAll(afterAllImpl);
beforeEach(beforeEachImpl);
afterEach(afterEachImpl);
describe('fetchSystemWebhooks', () => {
test('フィルタなし', async () => {
const webhook1 = await createWebhook({
active: true,
on: ['mention'],
});
const webhook2 = await createWebhook({
active: false,
on: ['mention'],
});
const webhook3 = await createWebhook({
active: true,
on: ['reply'],
});
const webhook4 = await createWebhook({
active: false,
on: [],
});
const fetchedWebhooks = await service.fetchWebhooks();
expect(fetchedWebhooks).toEqual([webhook1, webhook2, webhook3, webhook4]);
});
test('activeのみ', async () => {
const webhook1 = await createWebhook({
active: true,
on: ['mention'],
});
const webhook2 = await createWebhook({
active: false,
on: ['mention'],
});
const webhook3 = await createWebhook({
active: true,
on: ['reply'],
});
const webhook4 = await createWebhook({
active: false,
on: [],
});
const fetchedWebhooks = await service.fetchWebhooks({ isActive: true });
expect(fetchedWebhooks).toEqual([webhook1, webhook3]);
});
test('特定のイベントのみ', async () => {
const webhook1 = await createWebhook({
active: true,
on: ['mention'],
});
const webhook2 = await createWebhook({
active: false,
on: ['mention'],
});
const webhook3 = await createWebhook({
active: true,
on: ['reply'],
});
const webhook4 = await createWebhook({
active: false,
on: [],
});
const fetchedWebhooks = await service.fetchWebhooks({ on: ['mention'] });
expect(fetchedWebhooks).toEqual([webhook1, webhook2]);
});
test('activeな特定のイベントのみ', async () => {
const webhook1 = await createWebhook({
active: true,
on: ['mention'],
});
const webhook2 = await createWebhook({
active: false,
on: ['mention'],
});
const webhook3 = await createWebhook({
active: true,
on: ['reply'],
});
const webhook4 = await createWebhook({
active: false,
on: [],
});
const fetchedWebhooks = await service.fetchWebhooks({ on: ['mention'], isActive: true });
expect(fetchedWebhooks).toEqual([webhook1]);
});
test('ID指定', async () => {
const webhook1 = await createWebhook({
active: true,
on: ['mention'],
});
const webhook2 = await createWebhook({
active: false,
on: ['mention'],
});
const webhook3 = await createWebhook({
active: true,
on: ['reply'],
});
const webhook4 = await createWebhook({
active: false,
on: [],
});
const fetchedWebhooks = await service.fetchWebhooks({ ids: [webhook1.id, webhook4.id] });
expect(fetchedWebhooks).toEqual([webhook1, webhook4]);
});
test('ID指定(他条件とANDになるか見たい)', async () => {
const webhook1 = await createWebhook({
active: true,
on: ['mention'],
});
const webhook2 = await createWebhook({
active: false,
on: ['mention'],
});
const webhook3 = await createWebhook({
active: true,
on: ['reply'],
});
const webhook4 = await createWebhook({
active: false,
on: [],
});
const fetchedWebhooks = await service.fetchWebhooks({ ids: [webhook1.id, webhook4.id], isActive: false });
expect(fetchedWebhooks).toEqual([webhook4]);
});
});
});
});

View file

@ -13,6 +13,7 @@ import { GlobalModule } from '@/GlobalModule.js';
import { MiSystemWebhook, MiUser, MiWebhook, UserProfilesRepository, UsersRepository } from '@/models/_.js'; import { MiSystemWebhook, MiUser, MiWebhook, UserProfilesRepository, UsersRepository } from '@/models/_.js';
import { IdService } from '@/core/IdService.js'; import { IdService } from '@/core/IdService.js';
import { DI } from '@/di-symbols.js'; import { DI } from '@/di-symbols.js';
import { QueueService } from '@/core/QueueService.js';
describe('WebhookTestService', () => { describe('WebhookTestService', () => {
let app: TestingModule; let app: TestingModule;
@ -22,6 +23,7 @@ describe('WebhookTestService', () => {
let usersRepository: UsersRepository; let usersRepository: UsersRepository;
let userProfilesRepository: UserProfilesRepository; let userProfilesRepository: UserProfilesRepository;
let queueService: jest.Mocked<QueueService>;
let userWebhookService: jest.Mocked<UserWebhookService>; let userWebhookService: jest.Mocked<UserWebhookService>;
let systemWebhookService: jest.Mocked<SystemWebhookService>; let systemWebhookService: jest.Mocked<SystemWebhookService>;
let idService: IdService; let idService: IdService;
@ -54,16 +56,20 @@ describe('WebhookTestService', () => {
providers: [ providers: [
WebhookTestService, WebhookTestService,
IdService, IdService,
{
provide: QueueService, useFactory: () => ({
systemWebhookDeliver: jest.fn(),
userWebhookDeliver: jest.fn(),
}),
},
{ {
provide: UserWebhookService, useFactory: () => ({ provide: UserWebhookService, useFactory: () => ({
enqueueUserWebhook: jest.fn(), fetchWebhooks: jest.fn(),
getActiveWebhooks: jest.fn(),
}), }),
}, },
{ {
provide: SystemWebhookService, useFactory: () => ({ provide: SystemWebhookService, useFactory: () => ({
enqueueSystemWebhook: jest.fn(), fetchSystemWebhooks: jest.fn(),
fetchActiveSystemWebhooks: jest.fn(),
}), }),
}, },
], ],
@ -74,6 +80,7 @@ describe('WebhookTestService', () => {
service = app.get(WebhookTestService); service = app.get(WebhookTestService);
idService = app.get(IdService); idService = app.get(IdService);
queueService = app.get(QueueService) as jest.Mocked<QueueService>;
userWebhookService = app.get(UserWebhookService) as jest.Mocked<UserWebhookService>; userWebhookService = app.get(UserWebhookService) as jest.Mocked<UserWebhookService>;
systemWebhookService = app.get(SystemWebhookService) as jest.Mocked<SystemWebhookService>; systemWebhookService = app.get(SystemWebhookService) as jest.Mocked<SystemWebhookService>;
@ -84,19 +91,19 @@ describe('WebhookTestService', () => {
root = await createUser({ username: 'root', usernameLower: 'root', isRoot: true }); root = await createUser({ username: 'root', usernameLower: 'root', isRoot: true });
alice = await createUser({ username: 'alice', usernameLower: 'alice', isRoot: false }); alice = await createUser({ username: 'alice', usernameLower: 'alice', isRoot: false });
userWebhookService.getActiveWebhooks.mockReturnValue(Promise.resolve([ userWebhookService.fetchWebhooks.mockReturnValue(Promise.resolve([
{ id: 'dummy-webhook', active: true, userId: alice.id } as MiWebhook, { id: 'dummy-webhook', active: true, userId: alice.id } as MiWebhook,
])); ]));
systemWebhookService.fetchActiveSystemWebhooks.mockReturnValue(Promise.resolve([ systemWebhookService.fetchSystemWebhooks.mockReturnValue(Promise.resolve([
{ id: 'dummy-webhook', isActive: true } as MiSystemWebhook, { id: 'dummy-webhook', isActive: true } as MiSystemWebhook,
])); ]));
}); });
afterEach(async () => { afterEach(async () => {
userWebhookService.enqueueUserWebhook.mockClear(); queueService.systemWebhookDeliver.mockClear();
userWebhookService.getActiveWebhooks.mockClear(); queueService.userWebhookDeliver.mockClear();
systemWebhookService.enqueueSystemWebhook.mockClear(); userWebhookService.fetchWebhooks.mockClear();
systemWebhookService.fetchActiveSystemWebhooks.mockClear(); systemWebhookService.fetchSystemWebhooks.mockClear();
await usersRepository.delete({}); await usersRepository.delete({});
await userProfilesRepository.delete({}); await userProfilesRepository.delete({});
@ -112,7 +119,7 @@ describe('WebhookTestService', () => {
test('note', async () => { test('note', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'note' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'note' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('note'); expect(calls[1]).toBe('note');
expect((calls[2] as any).id).toBe('dummy-note-1'); expect((calls[2] as any).id).toBe('dummy-note-1');
@ -121,7 +128,7 @@ describe('WebhookTestService', () => {
test('reply', async () => { test('reply', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'reply' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'reply' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('reply'); expect(calls[1]).toBe('reply');
expect((calls[2] as any).id).toBe('dummy-reply-1'); expect((calls[2] as any).id).toBe('dummy-reply-1');
@ -130,7 +137,7 @@ describe('WebhookTestService', () => {
test('renote', async () => { test('renote', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'renote' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'renote' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('renote'); expect(calls[1]).toBe('renote');
expect((calls[2] as any).id).toBe('dummy-renote-1'); expect((calls[2] as any).id).toBe('dummy-renote-1');
@ -139,7 +146,7 @@ describe('WebhookTestService', () => {
test('mention', async () => { test('mention', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'mention' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'mention' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('mention'); expect(calls[1]).toBe('mention');
expect((calls[2] as any).id).toBe('dummy-mention-1'); expect((calls[2] as any).id).toBe('dummy-mention-1');
@ -148,7 +155,7 @@ describe('WebhookTestService', () => {
test('follow', async () => { test('follow', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'follow' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'follow' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('follow'); expect(calls[1]).toBe('follow');
expect((calls[2] as any).id).toBe('dummy-user-1'); expect((calls[2] as any).id).toBe('dummy-user-1');
@ -157,7 +164,7 @@ describe('WebhookTestService', () => {
test('followed', async () => { test('followed', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'followed' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'followed' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('followed'); expect(calls[1]).toBe('followed');
expect((calls[2] as any).id).toBe('dummy-user-2'); expect((calls[2] as any).id).toBe('dummy-user-2');
@ -166,21 +173,21 @@ describe('WebhookTestService', () => {
test('unfollow', async () => { test('unfollow', async () => {
await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'unfollow' }, alice); await service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'unfollow' }, alice);
const calls = userWebhookService.enqueueUserWebhook.mock.calls[0]; const calls = queueService.userWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('unfollow'); expect(calls[1]).toBe('unfollow');
expect((calls[2] as any).id).toBe('dummy-user-3'); expect((calls[2] as any).id).toBe('dummy-user-3');
}); });
describe('NoSuchActiveWebhookError', () => { describe('NoSuchWebhookError', () => {
test('throw', async () => { test('user not match', async () => {
userWebhookService.getActiveWebhooks.mockClear(); userWebhookService.fetchWebhooks.mockClear();
userWebhookService.getActiveWebhooks.mockReturnValue(Promise.resolve([ userWebhookService.fetchWebhooks.mockReturnValue(Promise.resolve([
{ id: 'dummy-webhook', active: false } as MiWebhook, { id: 'dummy-webhook', active: true } as MiWebhook,
])); ]));
await expect(service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'note' }, root)) await expect(service.testUserWebhook({ webhookId: 'dummy-webhook', type: 'note' }, root))
.rejects.toThrow(WebhookTestService.NoSuchActiveWebhookError); .rejects.toThrow(WebhookTestService.NoSuchWebhookError);
}); });
}); });
}); });
@ -189,7 +196,7 @@ describe('WebhookTestService', () => {
test('abuseReport', async () => { test('abuseReport', async () => {
await service.testSystemWebhook({ webhookId: 'dummy-webhook', type: 'abuseReport' }); await service.testSystemWebhook({ webhookId: 'dummy-webhook', type: 'abuseReport' });
const calls = systemWebhookService.enqueueSystemWebhook.mock.calls[0]; const calls = queueService.systemWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('abuseReport'); expect(calls[1]).toBe('abuseReport');
expect((calls[2] as any).id).toBe('dummy-abuse-report1'); expect((calls[2] as any).id).toBe('dummy-abuse-report1');
@ -199,7 +206,7 @@ describe('WebhookTestService', () => {
test('abuseReportResolved', async () => { test('abuseReportResolved', async () => {
await service.testSystemWebhook({ webhookId: 'dummy-webhook', type: 'abuseReportResolved' }); await service.testSystemWebhook({ webhookId: 'dummy-webhook', type: 'abuseReportResolved' });
const calls = systemWebhookService.enqueueSystemWebhook.mock.calls[0]; const calls = queueService.systemWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('abuseReportResolved'); expect(calls[1]).toBe('abuseReportResolved');
expect((calls[2] as any).id).toBe('dummy-abuse-report1'); expect((calls[2] as any).id).toBe('dummy-abuse-report1');
@ -209,7 +216,7 @@ describe('WebhookTestService', () => {
test('userCreated', async () => { test('userCreated', async () => {
await service.testSystemWebhook({ webhookId: 'dummy-webhook', type: 'userCreated' }); await service.testSystemWebhook({ webhookId: 'dummy-webhook', type: 'userCreated' });
const calls = systemWebhookService.enqueueSystemWebhook.mock.calls[0]; const calls = queueService.systemWebhookDeliver.mock.calls[0];
expect((calls[0] as any).id).toBe('dummy-webhook'); expect((calls[0] as any).id).toBe('dummy-webhook');
expect(calls[1]).toBe('userCreated'); expect(calls[1]).toBe('userCreated');
expect((calls[2] as any).id).toBe('dummy-user-1'); expect((calls[2] as any).id).toBe('dummy-user-1');

View file

@ -57,7 +57,7 @@ SPDX-License-Identifier: AGPL-3.0-only
</div> </div>
</div> </div>
<div :class="$style.description"> <div v-show="mode === 'edit'" :class="$style.description">
{{ i18n.ts._webhookSettings.testRemarks }} {{ i18n.ts._webhookSettings.testRemarks }}
</div> </div>
</div> </div>
@ -204,6 +204,10 @@ async function test(type: Misskey.entities.SystemWebhook['on'][number]): Promise
await os.apiWithDialog('admin/system-webhook/test', { await os.apiWithDialog('admin/system-webhook/test', {
webhookId: id.value, webhookId: id.value,
type, type,
override: {
secret: secret.value,
url: url.value,
},
}); });
} }

View file

@ -142,6 +142,10 @@ async function test(type: Misskey.entities.UserWebhook['on'][number]): Promise<v
await os.apiWithDialog('i/webhooks/test', { await os.apiWithDialog('i/webhooks/test', {
webhookId: props.webhookId, webhookId: props.webhookId,
type, type,
override: {
secret: secret.value,
url: url.value,
},
}); });
} }

View file

@ -1819,7 +1819,6 @@ declare namespace entities {
MetaLite, MetaLite,
MetaDetailedOnly, MetaDetailedOnly,
MetaDetailed, MetaDetailed,
UserWebhook,
SystemWebhook, SystemWebhook,
AbuseReportNotificationRecipient AbuseReportNotificationRecipient
} }
@ -3271,9 +3270,6 @@ type UsersShowResponse = operations['users___show']['responses']['200']['content
// @public (undocumented) // @public (undocumented)
type UsersUpdateMemoRequest = operations['users___update-memo']['requestBody']['content']['application/json']; type UsersUpdateMemoRequest = operations['users___update-memo']['requestBody']['content']['application/json'];
// @public (undocumented)
type UserWebhook = components['schemas']['UserWebhook'];
// Warnings were encountered during analysis: // Warnings were encountered during analysis:
// //
// src/entities.ts:49:2 - (ae-forgotten-export) The symbol "ModerationLogPayloads" needs to be exported by the entry point index.d.ts // src/entities.ts:49:2 - (ae-forgotten-export) The symbol "ModerationLogPayloads" needs to be exported by the entry point index.d.ts

View file

@ -51,6 +51,5 @@ export type ReversiGameDetailed = components['schemas']['ReversiGameDetailed'];
export type MetaLite = components['schemas']['MetaLite']; export type MetaLite = components['schemas']['MetaLite'];
export type MetaDetailedOnly = components['schemas']['MetaDetailedOnly']; export type MetaDetailedOnly = components['schemas']['MetaDetailedOnly'];
export type MetaDetailed = components['schemas']['MetaDetailed']; export type MetaDetailed = components['schemas']['MetaDetailed'];
export type UserWebhook = components['schemas']['UserWebhook'];
export type SystemWebhook = components['schemas']['SystemWebhook']; export type SystemWebhook = components['schemas']['SystemWebhook'];
export type AbuseReportNotificationRecipient = components['schemas']['AbuseReportNotificationRecipient']; export type AbuseReportNotificationRecipient = components['schemas']['AbuseReportNotificationRecipient'];

View file

@ -4990,20 +4990,6 @@ export type components = {
cacheRemoteSensitiveFiles: boolean; cacheRemoteSensitiveFiles: boolean;
}; };
MetaDetailed: components['schemas']['MetaLite'] & components['schemas']['MetaDetailedOnly']; MetaDetailed: components['schemas']['MetaLite'] & components['schemas']['MetaDetailedOnly'];
UserWebhook: {
/** Format: misskey:id */
id: string;
/** Format: misskey:id */
userId: string;
name: string;
on: ('mention' | 'unfollow' | 'follow' | 'followed' | 'note' | 'reply' | 'renote' | 'reaction')[];
url: string;
secret: string;
active: boolean;
/** Format: date-time */
latestSentAt: string | null;
latestStatus: number | null;
};
SystemWebhook: { SystemWebhook: {
id: string; id: string;
isActive: boolean; isActive: boolean;
@ -10375,6 +10361,10 @@ export type operations = {
webhookId: string; webhookId: string;
/** @enum {string} */ /** @enum {string} */
type: 'abuseReport' | 'abuseReportResolved' | 'userCreated'; type: 'abuseReport' | 'abuseReportResolved' | 'userCreated';
override?: {
url?: string;
secret?: string;
};
}; };
}; };
}; };
@ -20254,6 +20244,10 @@ export type operations = {
webhookId: string; webhookId: string;
/** @enum {string} */ /** @enum {string} */
type: 'mention' | 'unfollow' | 'follow' | 'followed' | 'note' | 'reply' | 'renote' | 'reaction'; type: 'mention' | 'unfollow' | 'follow' | 'followed' | 'note' | 'reply' | 'renote' | 'reaction';
override?: {
url?: string;
secret?: string;
};
}; };
}; };
}; };