diff --git a/locales/index.d.ts b/locales/index.d.ts index ce655a8d01..1edfdaa7ef 100644 --- a/locales/index.d.ts +++ b/locales/index.d.ts @@ -9466,7 +9466,7 @@ export interface Locale extends ILocale { */ "deleteConfirm": string; /** - * スイッチの右にあるボタンをクリックするとダミーのデータを使用したテスト用Webhookを送信できます。テスト用Webhookは保存された情報(有効・無効、送信先など)をもとに送信されるため、設定変更後にテストを行う場合は、事前に設定を保存しておく必要があります。 + * スイッチの右にあるボタンをクリックするとダミーのデータを使用したテスト用Webhookを送信できます。 */ "testRemarks": string; }; diff --git a/locales/ja-JP.yml b/locales/ja-JP.yml index df336ea6ca..4182d10566 100644 --- a/locales/ja-JP.yml +++ b/locales/ja-JP.yml @@ -2509,7 +2509,7 @@ _webhookSettings: abuseReportResolved: "ユーザーからの通報を処理したとき" userCreated: "ユーザーが作成されたとき" deleteConfirm: "Webhookを削除しますか?" - testRemarks: "スイッチの右にあるボタンをクリックするとダミーのデータを使用したテスト用Webhookを送信できます。テスト用Webhookは保存された情報(有効・無効、送信先など)をもとに送信されるため、設定変更後にテストを行う場合は、事前に設定を保存しておく必要があります。" + testRemarks: "スイッチの右にあるボタンをクリックするとダミーのデータを使用したテスト用Webhookを送信できます。" _abuseReport: _notificationRecipient: diff --git a/packages/backend/src/core/QueueService.ts b/packages/backend/src/core/QueueService.ts index 1b4839e1ec..ddb90a051f 100644 --- a/packages/backend/src/core/QueueService.ts +++ b/packages/backend/src/core/QueueService.ts @@ -452,7 +452,7 @@ export class QueueService { /** * @see UserWebhookDeliverJobData - * @see WebhookDeliverProcessorService + * @see UserWebhookDeliverProcessorService */ @bindThis public userWebhookDeliver( @@ -484,7 +484,7 @@ export class QueueService { /** * @see SystemWebhookDeliverJobData - * @see WebhookDeliverProcessorService + * @see SystemWebhookDeliverProcessorService */ @bindThis public systemWebhookDeliver( diff --git a/packages/backend/src/core/SystemWebhookService.ts b/packages/backend/src/core/SystemWebhookService.ts index f0fc49baf8..6ab29d3954 100644 --- a/packages/backend/src/core/SystemWebhookService.ts +++ b/packages/backend/src/core/SystemWebhookService.ts @@ -172,9 +172,6 @@ export class SystemWebhookService implements OnApplicationShutdown { webhook: MiSystemWebhook | MiSystemWebhook['id'], type: T, content: unknown, - opts?: { - attempts?: number; - }, ) { const webhookEntity = typeof webhook === 'string' ? (await this.fetchActiveSystemWebhooks()).find(a => a.id === webhook) @@ -189,7 +186,7 @@ export class SystemWebhookService implements OnApplicationShutdown { return; } - return this.queueService.systemWebhookDeliver(webhookEntity, type, content, opts); + return this.queueService.systemWebhookDeliver(webhookEntity, type, content); } @bindThis diff --git a/packages/backend/src/core/UserWebhookService.ts b/packages/backend/src/core/UserWebhookService.ts index e95a38b411..0427909901 100644 --- a/packages/backend/src/core/UserWebhookService.ts +++ b/packages/backend/src/core/UserWebhookService.ts @@ -6,18 +6,14 @@ import { Inject, Injectable } from '@nestjs/common'; import * as Redis from 'ioredis'; 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 { bindThis } from '@/decorators.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'; @Injectable() export class UserWebhookService implements OnApplicationShutdown { - private logger: Logger; private activeWebhooksFetched = false; private activeWebhooks: MiWebhook[] = []; @@ -26,11 +22,8 @@ export class UserWebhookService implements OnApplicationShutdown { private redisForSub: Redis.Redis, @Inject(DI.webhooksRepository) private webhooksRepository: WebhooksRepository, - private loggerService: LoggerService, - private queueService: QueueService, ) { this.redisForSub.on('message', this.onMessage); - this.logger = this.loggerService.getLogger('webhook'); } @bindThis @@ -46,33 +39,28 @@ export class UserWebhookService implements OnApplicationShutdown { } /** - * UserWebhook をWebhook配送キューに追加する - * @see QueueService.systemWebhookDeliver - * // TODO: contentの型を厳格化する + * UserWebhook の一覧を取得する. */ @bindThis - public async enqueueUserWebhook( - webhook: MiWebhook | MiWebhook['id'], - type: T, - content: unknown, - opts?: { - attempts?: number; - }, - ) { - const webhookEntity = typeof webhook === 'string' - ? (await this.getActiveWebhooks()).find(a => a.id === webhook) - : webhook; - if (!webhookEntity || !webhookEntity.active) { - this.logger.debug(`UserWebhook is not active or not found : ${webhook}`); - return; + public async fetchWebhooks(params?: { + ids?: MiWebhook['id'][]; + isActive?: MiWebhook['active']; + on?: MiWebhook['on']; + }): Promise { + const query = this.webhooksRepository.createQueryBuilder('webhook'); + if (params) { + if (params.ids && params.ids.length > 0) { + query.andWhere('webhook.id IN (:...ids)', { ids: params.ids }); + } + if (params.isActive !== undefined) { + query.andWhere('webhook.active = :isActive', { isActive: params.isActive }); + } + if (params.on && params.on.length > 0) { + query.andWhere(':on <@ webhook.on', { on: params.on }); + } } - if (!webhookEntity.on.includes(type)) { - this.logger.debug(`UserWebhook ${webhookEntity.id} is not listening to ${type}`); - return; - } - - return this.queueService.userWebhookDeliver(webhookEntity, type, content, opts); + return query.getMany(); } @bindThis diff --git a/packages/backend/src/core/WebhookTestService.ts b/packages/backend/src/core/WebhookTestService.ts index 328ebc304d..0b4e107d21 100644 --- a/packages/backend/src/core/WebhookTestService.ts +++ b/packages/backend/src/core/WebhookTestService.ts @@ -11,6 +11,7 @@ import { SystemWebhookService } from '@/core/SystemWebhookService.js'; import { Packed } from '@/misc/json-schema.js'; import { type WebhookEventTypes } from '@/models/Webhook.js'; import { UserWebhookService } from '@/core/UserWebhookService.js'; +import { QueueService } from '@/core/QueueService.js'; const oneDayMillis = 24 * 60 * 60 * 1000; @@ -266,32 +267,48 @@ const dummyUser3 = generateDummyUser({ @Injectable() export class WebhookTestService { - public static NoSuchActiveWebhookError = class extends Error {}; + public static NoSuchWebhookError = class extends Error {}; constructor( private userWebhookService: UserWebhookService, private systemWebhookService: SystemWebhookService, + private queueService: QueueService, ) { } /** * UserWebhookのテスト送信を行う. * 送信されるペイロードはいずれもダミーの値で、実際にはデータベース上に存在しない. + * + * また、この関数経由で送信されるWebhookは以下の設定を無視する. + * - Webhookそのものの有効・無効設定(active) + * - 送信対象イベント(on)に関する設定 */ @bindThis public async testUserWebhook( - params: { webhookId: MiWebhook | MiWebhook['id'], type: WebhookEventTypes }, + params: { + webhookId: MiWebhook['id'], + type: WebhookEventTypes, + override?: Partial>, + }, sender: MiUser | null, ) { - const webhook = (await this.userWebhookService.getActiveWebhooks()) - .find(a => a.id === params.webhookId && a.userId === sender?.id); - if (!webhook || !webhook.active) { - throw new WebhookTestService.NoSuchActiveWebhookError(); + const webhooks = await this.userWebhookService.fetchWebhooks({ ids: [params.webhookId] }) + .then(it => it.filter(it => it.userId === sender?.id)); + if (webhooks.length === 0) { + throw new WebhookTestService.NoSuchWebhookError(); } + const webhook = webhooks[0]; const send = (contents: unknown) => { - // テストなのでJobの試行回数は1回だけ - this.userWebhookService.enqueueUserWebhook(webhook, params.type, contents, { attempts: 1 }); + const merged = { + ...webhook, + ...params.override, + }; + + // テスト目的なのでUserWebhookServiceの機能を経由せず直接キューに追加する(チェック処理などをスキップする意図). + // また、Jobの試行回数も1回だけ. + this.queueService.userWebhookDeliver(merged, params.type, contents, { attempts: 1 }); }; const dummyNote1 = generateDummyNote({ @@ -356,20 +373,34 @@ export class WebhookTestService { /** * SystemWebhookのテスト送信を行う. * 送信されるペイロードはいずれもダミーの値で、実際にはデータベース上に存在しない. + * + * また、この関数経由で送信されるWebhookは以下の設定を無視する. + * - Webhookそのものの有効・無効設定(isActive) + * - 送信対象イベント(on)に関する設定 */ @bindThis public async testSystemWebhook( - params: { webhookId: MiSystemWebhook['id'], type: SystemWebhookEventType }, + params: { + webhookId: MiSystemWebhook['id'], + type: SystemWebhookEventType, + override?: Partial>, + }, ) { - const webhook = (await this.systemWebhookService.fetchActiveSystemWebhooks()) - .find(a => a.id === params.webhookId); - if (!webhook || !webhook.isActive) { - throw new WebhookTestService.NoSuchActiveWebhookError(); + const webhooks = await this.systemWebhookService.fetchSystemWebhooks({ ids: [params.webhookId] }); + if (webhooks.length === 0) { + throw new WebhookTestService.NoSuchWebhookError(); } + const webhook = webhooks[0]; const send = (contents: unknown) => { - // テストなのでJobの試行回数は1回だけ - this.systemWebhookService.enqueueSystemWebhook(webhook, params.type, contents, { attempts: 1 }); + const merged = { + ...webhook, + ...params.override, + }; + + // テスト目的なのでSystemWebhookServiceの機能を経由せず直接キューに追加する(チェック処理などをスキップする意図). + // また、Jobの試行回数も1回だけ. + this.queueService.systemWebhookDeliver(merged, params.type, contents, { attempts: 1 }); }; switch (params.type) { diff --git a/packages/backend/src/misc/json-schema.ts b/packages/backend/src/misc/json-schema.ts index 59e033732e..040e36228c 100644 --- a/packages/backend/src/misc/json-schema.ts +++ b/packages/backend/src/misc/json-schema.ts @@ -59,7 +59,6 @@ import { } from '@/models/json-schema/meta.js'; import { packedSystemWebhookSchema } from '@/models/json-schema/system-webhook.js'; import { packedAbuseReportNotificationRecipientSchema } from '@/models/json-schema/abuse-report-notification-recipient.js'; -import { packedUserWebhookSchema } from '@/models/json-schema/user-webhook.js'; export const refs = { UserLite: packedUserLiteSchema, @@ -114,7 +113,6 @@ export const refs = { MetaLite: packedMetaLiteSchema, MetaDetailedOnly: packedMetaDetailedOnlySchema, MetaDetailed: packedMetaDetailedSchema, - UserWebhook: packedUserWebhookSchema, SystemWebhook: packedSystemWebhookSchema, AbuseReportNotificationRecipient: packedAbuseReportNotificationRecipientSchema, }; diff --git a/packages/backend/src/models/json-schema/user-webhook.ts b/packages/backend/src/models/json-schema/user-webhook.ts deleted file mode 100644 index 67c6d366a9..0000000000 --- a/packages/backend/src/models/json-schema/user-webhook.ts +++ /dev/null @@ -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; diff --git a/packages/backend/src/server/api/endpoints/admin/system-webhook/test.ts b/packages/backend/src/server/api/endpoints/admin/system-webhook/test.ts index d2bdf68ec7..fb2ddf4b44 100644 --- a/packages/backend/src/server/api/endpoints/admin/system-webhook/test.ts +++ b/packages/backend/src/server/api/endpoints/admin/system-webhook/test.ts @@ -24,9 +24,9 @@ export const meta = { }, errors: { - noSuchActiveWebhook: { - message: 'No such active webhook.', - code: 'NO_SUCH_ACTIVE_WEBHOOK', + noSuchWebhook: { + message: 'No such webhook.', + code: 'NO_SUCH_WEBHOOK', id: '0c52149c-e913-18f8-5dc7-74870bfe0cf9', }, }, @@ -43,6 +43,13 @@ export const paramDef = { type: 'string', enum: systemWebhookEventTypes, }, + override: { + type: 'object', + properties: { + url: { type: 'string', nullable: false }, + secret: { type: 'string', nullable: false }, + }, + }, }, required: ['webhookId', 'type'], } as const; @@ -54,10 +61,14 @@ export default class extends Endpoint { // eslint- ) { super(meta, paramDef, async (ps) => { 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) { - if (e instanceof WebhookTestService.NoSuchActiveWebhookError) { - throw new ApiError(meta.errors.noSuchActiveWebhook); + if (e instanceof WebhookTestService.NoSuchWebhookError) { + throw new ApiError(meta.errors.noSuchWebhook); } throw e; } diff --git a/packages/backend/src/server/api/endpoints/i/webhooks/test.ts b/packages/backend/src/server/api/endpoints/i/webhooks/test.ts index 239eca7864..2bf6df9ce2 100644 --- a/packages/backend/src/server/api/endpoints/i/webhooks/test.ts +++ b/packages/backend/src/server/api/endpoints/i/webhooks/test.ts @@ -14,6 +14,7 @@ export const meta = { tags: ['webhooks'], requireCredential: true, + secure: true, kind: 'read:account', limit: { @@ -22,9 +23,9 @@ export const meta = { }, errors: { - noSuchActiveWebhook: { - message: 'No such active webhook.', - code: 'NO_SUCH_ACTIVE_WEBHOOK', + noSuchWebhook: { + message: 'No such webhook.', + code: 'NO_SUCH_WEBHOOK', id: '0c52149c-e913-18f8-5dc7-74870bfe0cf9', }, }, @@ -41,6 +42,13 @@ export const paramDef = { type: 'string', enum: webhookEventTypes, }, + override: { + type: 'object', + properties: { + url: { type: 'string' }, + secret: { type: 'string' }, + }, + }, }, required: ['webhookId', 'type'], } as const; @@ -52,10 +60,14 @@ export default class extends Endpoint { // eslint- ) { super(meta, paramDef, async (ps, me) => { 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) { - if (e instanceof WebhookTestService.NoSuchActiveWebhookError) { - throw new ApiError(meta.errors.noSuchActiveWebhook); + if (e instanceof WebhookTestService.NoSuchWebhookError) { + throw new ApiError(meta.errors.noSuchWebhook); } throw e; } diff --git a/packages/backend/test/unit/UserWebhookService.ts b/packages/backend/test/unit/UserWebhookService.ts new file mode 100644 index 0000000000..0e88835a02 --- /dev/null +++ b/packages/backend/test/unit/UserWebhookService.ts @@ -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; + + // -------------------------------------------------------------------------------------- + + let root: MiUser; + + // -------------------------------------------------------------------------------------- + + async function createUser(data: Partial = {}) { + return await usersRepository + .insert({ + id: idService.gen(), + ...data, + }) + .then(x => usersRepository.findOneByOrFail(x.identifiers[0])); + } + + async function createWebhook(data: Partial = {}) { + 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; + + 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]); + }); + }); + }); +}); diff --git a/packages/backend/test/unit/WebhookTestService.ts b/packages/backend/test/unit/WebhookTestService.ts index d41d7cea69..5e63b86f8f 100644 --- a/packages/backend/test/unit/WebhookTestService.ts +++ b/packages/backend/test/unit/WebhookTestService.ts @@ -13,6 +13,7 @@ import { GlobalModule } from '@/GlobalModule.js'; import { MiSystemWebhook, MiUser, MiWebhook, UserProfilesRepository, UsersRepository } from '@/models/_.js'; import { IdService } from '@/core/IdService.js'; import { DI } from '@/di-symbols.js'; +import { QueueService } from '@/core/QueueService.js'; describe('WebhookTestService', () => { let app: TestingModule; @@ -22,6 +23,7 @@ describe('WebhookTestService', () => { let usersRepository: UsersRepository; let userProfilesRepository: UserProfilesRepository; + let queueService: jest.Mocked; let userWebhookService: jest.Mocked; let systemWebhookService: jest.Mocked; let idService: IdService; @@ -54,16 +56,20 @@ describe('WebhookTestService', () => { providers: [ WebhookTestService, IdService, + { + provide: QueueService, useFactory: () => ({ + systemWebhookDeliver: jest.fn(), + userWebhookDeliver: jest.fn(), + }), + }, { provide: UserWebhookService, useFactory: () => ({ - enqueueUserWebhook: jest.fn(), - getActiveWebhooks: jest.fn(), + fetchWebhooks: jest.fn(), }), }, { provide: SystemWebhookService, useFactory: () => ({ - enqueueSystemWebhook: jest.fn(), - fetchActiveSystemWebhooks: jest.fn(), + fetchSystemWebhooks: jest.fn(), }), }, ], @@ -74,6 +80,7 @@ describe('WebhookTestService', () => { service = app.get(WebhookTestService); idService = app.get(IdService); + queueService = app.get(QueueService) as jest.Mocked; userWebhookService = app.get(UserWebhookService) as jest.Mocked; systemWebhookService = app.get(SystemWebhookService) as jest.Mocked; @@ -84,19 +91,19 @@ describe('WebhookTestService', () => { root = await createUser({ username: 'root', usernameLower: 'root', isRoot: true }); 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, ])); - systemWebhookService.fetchActiveSystemWebhooks.mockReturnValue(Promise.resolve([ + systemWebhookService.fetchSystemWebhooks.mockReturnValue(Promise.resolve([ { id: 'dummy-webhook', isActive: true } as MiSystemWebhook, ])); }); afterEach(async () => { - userWebhookService.enqueueUserWebhook.mockClear(); - userWebhookService.getActiveWebhooks.mockClear(); - systemWebhookService.enqueueSystemWebhook.mockClear(); - systemWebhookService.fetchActiveSystemWebhooks.mockClear(); + queueService.systemWebhookDeliver.mockClear(); + queueService.userWebhookDeliver.mockClear(); + userWebhookService.fetchWebhooks.mockClear(); + systemWebhookService.fetchSystemWebhooks.mockClear(); await usersRepository.delete({}); await userProfilesRepository.delete({}); @@ -112,7 +119,7 @@ describe('WebhookTestService', () => { test('note', async () => { 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[1]).toBe('note'); expect((calls[2] as any).id).toBe('dummy-note-1'); @@ -121,7 +128,7 @@ describe('WebhookTestService', () => { test('reply', async () => { 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[1]).toBe('reply'); expect((calls[2] as any).id).toBe('dummy-reply-1'); @@ -130,7 +137,7 @@ describe('WebhookTestService', () => { test('renote', async () => { 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[1]).toBe('renote'); expect((calls[2] as any).id).toBe('dummy-renote-1'); @@ -139,7 +146,7 @@ describe('WebhookTestService', () => { test('mention', async () => { 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[1]).toBe('mention'); expect((calls[2] as any).id).toBe('dummy-mention-1'); @@ -148,7 +155,7 @@ describe('WebhookTestService', () => { test('follow', async () => { 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[1]).toBe('follow'); expect((calls[2] as any).id).toBe('dummy-user-1'); @@ -157,7 +164,7 @@ describe('WebhookTestService', () => { test('followed', async () => { 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[1]).toBe('followed'); expect((calls[2] as any).id).toBe('dummy-user-2'); @@ -166,21 +173,21 @@ describe('WebhookTestService', () => { test('unfollow', async () => { 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[1]).toBe('unfollow'); expect((calls[2] as any).id).toBe('dummy-user-3'); }); - describe('NoSuchActiveWebhookError', () => { - test('throw', async () => { - userWebhookService.getActiveWebhooks.mockClear(); - userWebhookService.getActiveWebhooks.mockReturnValue(Promise.resolve([ - { id: 'dummy-webhook', active: false } as MiWebhook, + describe('NoSuchWebhookError', () => { + test('user not match', async () => { + userWebhookService.fetchWebhooks.mockClear(); + userWebhookService.fetchWebhooks.mockReturnValue(Promise.resolve([ + { id: 'dummy-webhook', active: true } as MiWebhook, ])); 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 () => { 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[1]).toBe('abuseReport'); expect((calls[2] as any).id).toBe('dummy-abuse-report1'); @@ -199,7 +206,7 @@ describe('WebhookTestService', () => { test('abuseReportResolved', async () => { 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[1]).toBe('abuseReportResolved'); expect((calls[2] as any).id).toBe('dummy-abuse-report1'); @@ -209,7 +216,7 @@ describe('WebhookTestService', () => { test('userCreated', async () => { 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[1]).toBe('userCreated'); expect((calls[2] as any).id).toBe('dummy-user-1'); diff --git a/packages/frontend/src/components/MkSystemWebhookEditor.vue b/packages/frontend/src/components/MkSystemWebhookEditor.vue index 2893a29ad4..ec3b1c90ca 100644 --- a/packages/frontend/src/components/MkSystemWebhookEditor.vue +++ b/packages/frontend/src/components/MkSystemWebhookEditor.vue @@ -57,7 +57,7 @@ SPDX-License-Identifier: AGPL-3.0-only -
+
{{ i18n.ts._webhookSettings.testRemarks }}
@@ -204,6 +204,10 @@ async function test(type: Misskey.entities.SystemWebhook['on'][number]): Promise await os.apiWithDialog('admin/system-webhook/test', { webhookId: id.value, type, + override: { + secret: secret.value, + url: url.value, + }, }); } diff --git a/packages/frontend/src/pages/settings/webhook.edit.vue b/packages/frontend/src/pages/settings/webhook.edit.vue index 01d77ed962..adeaf8550c 100644 --- a/packages/frontend/src/pages/settings/webhook.edit.vue +++ b/packages/frontend/src/pages/settings/webhook.edit.vue @@ -142,6 +142,10 @@ async function test(type: Misskey.entities.UserWebhook['on'][number]): Promise