perf: 优化证书申请成功通知发送方式

pull/265/head
xiaojunnuo 2024-11-27 12:36:28 +08:00
parent 7e5ea0cee0
commit 8002a56efc
24 changed files with 382 additions and 42 deletions

View File

@ -236,8 +236,8 @@ export function createAgent(opts: CreateAgentOptions = {}) {
} }
const httpsProxy = opts.httpsProxy; const httpsProxy = opts.httpsProxy;
if (httpsProxy) { if (httpsProxy) {
process.env.HTTPS_PROXY = httpProxy; process.env.HTTPS_PROXY = httpsProxy;
process.env.https_proxy = httpProxy; process.env.https_proxy = httpsProxy;
logger.info('use httpsProxy:', httpsProxy); logger.info('use httpsProxy:', httpsProxy);
httpsAgent = new HttpsProxyAgent(httpsProxy, opts as any); httpsAgent = new HttpsProxyAgent(httpsProxy, opts as any);
merge(httpsAgent.options, opts); merge(httpsAgent.options, opts);

View File

@ -303,6 +303,7 @@ export class Executor {
}; };
const taskCtx: TaskInstanceContext = { const taskCtx: TaskInstanceContext = {
pipeline: this.pipeline, pipeline: this.pipeline,
runtime: this.runtime,
step, step,
lastStatus, lastStatus,
http, http,
@ -313,6 +314,8 @@ export class Executor {
emailService: this.options.emailService, emailService: this.options.emailService,
cnameProxyService: this.options.cnameProxyService, cnameProxyService: this.options.cnameProxyService,
pluginConfigService: this.options.pluginConfigService, pluginConfigService: this.options.pluginConfigService,
notificationService: this.options.notificationService,
urlService: this.options.urlService,
pipelineContext: this.pipelineContext, pipelineContext: this.pipelineContext,
userContext: this.contextFactory.getContext("user", this.options.user.id), userContext: this.contextFactory.getContext("user", this.options.user.id),
fileStore: new FileStore({ fileStore: new FileStore({

View File

@ -6,13 +6,13 @@ import * as _ from "lodash-es";
import { IEmailService } from "../service/index.js"; import { IEmailService } from "../service/index.js";
export type NotificationBody = { export type NotificationBody = {
userId: number; userId?: number;
title: string; title: string;
content: string; content: string;
pipeline: Pipeline; pipeline?: Pipeline;
pipelineId: number; pipelineId?: number;
result?: HistoryResult; result?: HistoryResult;
historyId: number; historyId?: number;
errorMessage?: string; errorMessage?: string;
url?: string; url?: string;
}; };
@ -39,6 +39,7 @@ export type NotificationDefine = Registrable & {
export type NotificationInstanceConfig = { export type NotificationInstanceConfig = {
id: number; id: number;
type: string; type: string;
name: string;
userId: number; userId: number;
setting: { setting: {
[key: string]: any; [key: string]: any;
@ -47,6 +48,7 @@ export type NotificationInstanceConfig = {
export interface INotificationService { export interface INotificationService {
getById(id: number): Promise<NotificationInstanceConfig>; getById(id: number): Promise<NotificationInstanceConfig>;
getDefault(): Promise<NotificationInstanceConfig>;
} }
export interface INotification { export interface INotification {
@ -97,7 +99,7 @@ export abstract class BaseNotification implements INotification {
async onTestRequest() { async onTestRequest() {
await this.send({ await this.send({
userId: 0, userId: 0,
title: "【Certd】测试通知", title: "【Certd】测试通知,标题长度测试、测试、测试",
content: "测试通知", content: "测试通知",
pipeline: { pipeline: {
id: 1, id: 1,

View File

@ -2,7 +2,7 @@
import { Decorator } from "../decorator/index.js"; import { Decorator } from "../decorator/index.js";
import * as _ from "lodash-es"; import * as _ from "lodash-es";
import { notificationRegistry } from "./registry.js"; import { notificationRegistry } from "./registry.js";
import { NotificationContext, NotificationDefine, NotificationInputDefine } from "./api.js"; import { NotificationBody, NotificationContext, NotificationDefine, NotificationInputDefine, NotificationInstanceConfig } from "./api.js";
// 提供一个唯一 key // 提供一个唯一 key
export const NOTIFICATION_CLASS_KEY = "pipeline:notification"; export const NOTIFICATION_CLASS_KEY = "pipeline:notification";
@ -38,7 +38,7 @@ export function NotificationInput(input?: NotificationInputDefine): PropertyDeco
}; };
} }
export function newNotification(type: string, input: any, ctx: NotificationContext) { export async function newNotification(type: string, input: any, ctx: NotificationContext) {
const register = notificationRegistry.get(type); const register = notificationRegistry.get(type);
if (register == null) { if (register == null) {
throw new Error(`notification ${type} not found`); throw new Error(`notification ${type} not found`);
@ -52,5 +52,11 @@ export function newNotification(type: string, input: any, ctx: NotificationConte
throw new Error("ctx is required"); throw new Error("ctx is required");
} }
plugin.setCtx(ctx); plugin.setCtx(ctx);
await plugin.onInstance();
return plugin; return plugin;
} }
export async function sendNotification(opts: { config: NotificationInstanceConfig; ctx: NotificationContext; body: NotificationBody }) {
const notification = await newNotification(opts.config.type, opts.config.setting, opts.ctx);
await notification.send(opts.body);
}

View File

@ -2,13 +2,14 @@ import { Registrable } from "../registry/index.js";
import { FileItem, FormItemProps, Pipeline, Runnable, Step } from "../dt/index.js"; import { FileItem, FormItemProps, Pipeline, Runnable, Step } from "../dt/index.js";
import { FileStore } from "../core/file-store.js"; import { FileStore } from "../core/file-store.js";
import { IAccessService } from "../access/index.js"; import { IAccessService } from "../access/index.js";
import { ICnameProxyService, IEmailService } from "../service/index.js"; import { ICnameProxyService, IEmailService, IUrlService } from "../service/index.js";
import { CancelError, IContext, RunnableCollection } from "../core/index.js"; import { CancelError, IContext, RunHistory, RunnableCollection } from "../core/index.js";
import { HttpRequestConfig, ILogger, logger, utils } from "@certd/basic"; import { HttpRequestConfig, ILogger, logger, utils } from "@certd/basic";
import { HttpClient } from "@certd/basic"; import { HttpClient } from "@certd/basic";
import dayjs from "dayjs"; import dayjs from "dayjs";
import { IPluginConfigService } from "../service/config"; import { IPluginConfigService } from "../service/config";
import { upperFirst } from "lodash-es"; import { upperFirst } from "lodash-es";
import { INotificationService } from "../notification";
export type PluginRequestHandleReq<T = any> = { export type PluginRequestHandleReq<T = any> = {
typeName: string; typeName: string;
@ -72,6 +73,8 @@ export type TaskResult = {
export type TaskInstanceContext = { export type TaskInstanceContext = {
//流水线定义 //流水线定义
pipeline: Pipeline; pipeline: Pipeline;
//运行时历史
runtime: RunHistory;
//步骤定义 //步骤定义
step: Step; step: Step;
//日志 //日志
@ -86,6 +89,10 @@ export type TaskInstanceContext = {
cnameProxyService: ICnameProxyService; cnameProxyService: ICnameProxyService;
//插件配置服务 //插件配置服务
pluginConfigService: IPluginConfigService; pluginConfigService: IPluginConfigService;
//通知服务
notificationService: INotificationService;
//url构建
urlService: IUrlService;
//流水线上下文 //流水线上下文
pipelineContext: IContext; pipelineContext: IContext;
//用户上下文 //用户上下文

View File

@ -1,4 +1,4 @@
import { AbstractTaskPlugin, IContext, Step, TaskInput, TaskOutput } from "@certd/pipeline"; import { AbstractTaskPlugin, IContext, NotificationBody, sendNotification, Step, TaskInput, TaskOutput } from "@certd/pipeline";
import dayjs from "dayjs"; import dayjs from "dayjs";
import type { CertInfo } from "./acme.js"; import type { CertInfo } from "./acme.js";
import { CertReader } from "./cert-reader.js"; import { CertReader } from "./cert-reader.js";
@ -73,14 +73,14 @@ export abstract class CertApplyBasePlugin extends AbstractTaskPlugin {
renewDays!: number; renewDays!: number;
@TaskInput({ @TaskInput({
title: "成功后邮件通知", title: "证书申请成功通知",
value: true, value: true,
component: { component: {
name: "a-switch", name: "a-switch",
vModel: "checked", vModel: "checked",
}, },
order: 100, order: 100,
helper: "申请成功后是否发送邮件通知", helper: "证书申请成功后是否发送通知,优先使用默认通知渠道",
}) })
successNotify = true; successNotify = true;
@ -120,7 +120,7 @@ export abstract class CertApplyBasePlugin extends AbstractTaskPlugin {
this.clearLastStatus(); this.clearLastStatus();
if (this.successNotify) { if (this.successNotify) {
await this.sendSuccessEmail(); await this.sendSuccessNotify();
} }
} else { } else {
throw new Error("申请证书失败"); throw new Error("申请证书失败");
@ -301,19 +301,44 @@ export abstract class CertApplyBasePlugin extends AbstractTaskPlugin {
leftDays, leftDays,
}; };
} }
async sendSuccessNotify() {
private async sendSuccessEmail() { this.logger.info("发送证书申请成功通知");
const url = await this.ctx.urlService.getPipelineDetailUrl(this.pipeline.id, this.ctx.runtime.id);
const body: NotificationBody = {
title: `【Certd】证书申请成功【${this.pipeline.title}`,
content: `域名:${this.domains.join(",")}`,
url: url,
};
try { try {
this.logger.info("发送成功邮件通知:" + this.email); const defNotification = await this.ctx.notificationService.getDefault();
const subject = `【CertD】证书申请成功【${this.domains[0]}`; if (defNotification) {
await this.ctx.emailService.send({ this.logger.info(`通知渠道:${defNotification.name}`);
userId: this.ctx.pipeline.userId, const notificationCtx = {
receivers: [this.email], http: this.ctx.http,
subject: subject, logger: this.logger,
content: `证书申请成功,域名:${this.domains.join(",")}`, utils: this.ctx.utils,
}); emailService: this.ctx.emailService,
};
await sendNotification({
config: defNotification,
ctx: notificationCtx,
body,
});
return;
}
this.logger.warn("未配置默认通知,将发送邮件通知");
await this.sendSuccessEmail(body);
} catch (e) { } catch (e) {
this.logger.error("send email error", e); this.logger.error("证书申请成功通知发送失败", e);
} }
} }
async sendSuccessEmail(body: NotificationBody) {
this.logger.info("发送邮件通知:" + this.email);
await this.ctx.emailService.send({
userId: this.ctx.pipeline.userId,
receivers: [this.email],
subject: body.title,
content: body.content,
});
}
} }

View File

@ -43,6 +43,21 @@ export function createApi() {
}); });
}, },
async SetDefault(id: number) {
return await request({
url: apiPrefix + "/setDefault",
method: "post",
params: { id }
});
},
async GetDefaultId() {
return await request({
url: apiPrefix + "/getDefaultId",
method: "post"
});
},
async GetSimpleInfo(id: number) { async GetSimpleInfo(id: number) {
return await request({ return await request({
url: apiPrefix + "/simpleInfo", url: apiPrefix + "/simpleInfo",

View File

@ -2,6 +2,8 @@ import { ColumnCompositionProps, compute, dict } from "@fast-crud/fast-crud";
import { computed, provide, ref, toRef } from "vue"; import { computed, provide, ref, toRef } from "vue";
import { useReference } from "/@/use/use-refrence"; import { useReference } from "/@/use/use-refrence";
import { forEach, get, merge, set } from "lodash-es"; import { forEach, get, merge, set } from "lodash-es";
import { Modal } from "ant-design-vue";
import * as api from "/@/views/sys/cname/provider/api";
export function getCommonColumnDefine(crudExpose: any, typeRef: any, api: any) { export function getCommonColumnDefine(crudExpose: any, typeRef: any, api: any) {
provide("notificationApi", api); provide("notificationApi", api);
@ -141,6 +143,47 @@ export function getCommonColumnDefine(crudExpose: any, typeRef: any, api: any) {
width: 200 width: 200
} }
}, },
isDefault: {
title: "是否默认",
type: "dict-switch",
dict: dict({
data: [
{ label: "是", value: true, color: "success" },
{ label: "否", value: false, color: "default" }
]
}),
form: {
value: false,
rules: [{ required: true, message: "请选择是否默认" }],
order: 999
},
column: {
align: "center",
width: 100,
component: {
name: "a-switch",
vModel: "checked",
disabled: compute(({ value }) => {
return value === true;
}),
on: {
change({ row }) {
Modal.confirm({
title: "提示",
content: "确定设置为默认通知?",
onOk: async () => {
await api.SetDefault(row.id);
await crudExpose.doRefresh();
},
onCancel: async () => {
await crudExpose.doRefresh();
}
});
}
}
}
}
} as ColumnCompositionProps,
test: { test: {
title: "测试", title: "测试",
form: { form: {
@ -151,7 +194,7 @@ export function getCommonColumnDefine(crudExpose: any, typeRef: any, api: any) {
name: "api-test", name: "api-test",
action: "TestRequest" action: "TestRequest"
}, },
order: 999, order: 990,
col: { col: {
span: 24 span: 24
} }

View File

@ -7,7 +7,7 @@
<span v-else class="mlr-5 text-gray">{{ placeholder }}</span> <span v-else class="mlr-5 text-gray">{{ placeholder }}</span>
<a-button class="ml-5" :disabled="disabled" :size="size" @click="chooseForm.open"></a-button> <a-button class="ml-5" :disabled="disabled" :size="size" @click="chooseForm.open"></a-button>
<a-form-item-rest v-if="chooseForm.show"> <a-form-item-rest v-if="chooseForm.show">
<a-modal v-model:open="chooseForm.show" title="选择通知渠道" width="900px" @ok="chooseForm.ok"> <a-modal v-model:open="chooseForm.show" title="选择通知渠道" width="905px" @ok="chooseForm.ok">
<div style="height: 400px; position: relative"> <div style="height: 400px; position: relative">
<cert-notification-modal v-model="selectedId"></cert-notification-modal> <cert-notification-modal v-model="selectedId"></cert-notification-modal>
</div> </div>
@ -45,6 +45,10 @@ export default defineComponent({
disabled: { disabled: {
type: Boolean, type: Boolean,
default: false default: false
},
useDefault: {
type: Boolean,
default: false
} }
}, },
emits: ["update:modelValue", "selectedChange", "change"], emits: ["update:modelValue", "selectedChange", "change"],
@ -60,6 +64,15 @@ export default defineComponent({
} }
} }
async function loadDefault() {
const defId = await api.GetDefaultId();
if (defId) {
await emitValue(defId);
}
}
loadDefault();
function clear() { function clear() {
if (props.disabled) { if (props.disabled) {
return; return;

View File

@ -56,9 +56,6 @@ export default function ({ crudExpose, context }: CreateCrudOptionsProps): Creat
show: false show: false
}, },
form: { form: {
wrapper: {
width: "1050px"
},
labelCol: { labelCol: {
//固定label宽度 //固定label宽度
span: null, span: null,
@ -72,7 +69,7 @@ export default function ({ crudExpose, context }: CreateCrudOptionsProps): Creat
}, },
table: { table: {
scroll: { scroll: {
x: 800 x: 700
}, },
rowSelection: { rowSelection: {
type: "radio", type: "radio",

View File

@ -109,7 +109,8 @@ export default function (certPluginGroup: PluginGroup, formWrapperRef: any): Cre
form: { form: {
component: { component: {
name: NotificationSelector, name: NotificationSelector,
vModel: "modelValue" vModel: "modelValue",
useDefault: true
}, },
order: 101, order: 101,
helper: "建议设置,任务执行失败实时提醒" helper: "建议设置,任务执行失败实时提醒"

View File

@ -0,0 +1,27 @@
// @ts-ignore
import { request } from "/@/api/service";
import { SysPrivateSetting, SysPublicSetting } from "/@/api/modules/api.basic";
const apiPrefix = "/user/settings";
export type UserSettings = {
defaultNotification?: number;
defaultCron?: string;
};
export async function UserSettingsGet() {
const res = await request({
url: apiPrefix + "/getDefault",
method: "post"
});
if (!res) {
return {};
}
return res;
}
export async function UserSettingsSave(setting: any) {
return await request({
url: apiPrefix + "/saveDefault",
method: "post",
data: setting
});
}

View File

@ -0,0 +1,74 @@
<template>
<fs-page class="page-user-settings">
<template #header>
<div class="title">设置</div>
</template>
<div class="user-settings-form settings-form">
<a-form
:model="formState"
name="basic"
:label-col="{ span: 8 }"
:wrapper-col="{ span: 16 }"
autocomplete="off"
@finish="onFinish"
@finish-failed="onFinishFailed"
>
<a-form-item label="默认定时设置" name="defaultCron">
<notification-selector v-model="formState.defaultCron" />
<div class="helper">创建流水线时默认使用此定时时间</div>
</a-form-item>
<a-form-item :wrapper-col="{ offset: 8, span: 16 }">
<a-button :loading="saveLoading" type="primary" html-type="submit">保存</a-button>
</a-form-item>
</a-form>
</div>
</fs-page>
</template>
<script setup lang="tsx">
import { reactive, ref } from "vue";
import * as api from "./api";
import { UserSettings } from "./api";
import { notification } from "ant-design-vue";
import { merge } from "lodash-es";
import NotificationSelector from "/@/views/certd/notification/notification-selector/index.vue";
defineOptions({
name: "UserSettings"
});
const formState = reactive<Partial<UserSettings>>({});
async function loadUserSettings() {
const data: any = await api.UserSettingsGet();
merge(formState, data);
}
const saveLoading = ref(false);
loadUserSettings();
const onFinish = async (form: any) => {
try {
saveLoading.value = true;
await api.UserSettingsSave(form);
notification.success({
message: "保存成功"
});
} finally {
saveLoading.value = false;
}
};
const onFinishFailed = (errorInfo: any) => {
// console.log("Failed:", errorInfo);
};
</script>
<style lang="less">
.page-user-settings {
.user-settings-form {
width: 500px;
margin: 20px;
}
}
</style>

View File

@ -0,0 +1 @@
ALTER TABLE pi_notification ADD COLUMN is_default boolean DEFAULT (0);

View File

@ -69,7 +69,7 @@ export class HandleController extends BaseController {
// } // }
// } // }
const notification = newNotification(body.typeName, input, { const notification = await newNotification(body.typeName, input, {
http, http,
logger, logger,
utils, utils,

View File

@ -1,5 +1,5 @@
import { ALL, Body, Controller, Inject, Post, Provide, Query } from '@midwayjs/core'; import { ALL, Body, Controller, Inject, Post, Provide, Query } from '@midwayjs/core';
import { Constants, CrudController } from '@certd/lib-server'; import { Constants, CrudController, ValidateException } from '@certd/lib-server';
import { NotificationService } from '../../modules/pipeline/service/notification-service.js'; import { NotificationService } from '../../modules/pipeline/service/notification-service.js';
import { AuthService } from '../../modules/sys/authority/service/auth-service.js'; import { AuthService } from '../../modules/sys/authority/service/auth-service.js';
@ -84,8 +84,30 @@ export class NotificationController extends CrudController<NotificationService>
@Post('/simpleInfo', { summary: Constants.per.authOnly }) @Post('/simpleInfo', { summary: Constants.per.authOnly })
async simpleInfo(@Query('id') id: number) { async simpleInfo(@Query('id') id: number) {
if (id === 0) {
//获取默认
const res = await this.service.getDefault(this.getUserId());
if (!res) {
throw new ValidateException('默认通知配置不存在');
}
const simple = await this.service.getSimpleInfo(res.id);
return this.ok(simple);
}
await this.authService.checkEntityUserId(this.ctx, this.service, id); await this.authService.checkEntityUserId(this.ctx, this.service, id);
const res = await this.service.getSimpleInfo(id); const res = await this.service.getSimpleInfo(id);
return this.ok(res); return this.ok(res);
} }
@Post('/getDefaultId', { summary: Constants.per.authOnly })
async getDefaultId() {
const res = await this.service.getDefault(this.getUserId());
return this.ok(res?.id);
}
@Post('/setDefault', { summary: Constants.per.authOnly })
async setDefault(@Query('id') id: number) {
await this.service.checkUserId(id, this.getUserId());
const res = await this.service.setDefault(id, this.getUserId());
return this.ok(res);
}
} }

View File

@ -17,6 +17,9 @@ export class NotificationEntity {
@Column({ name: 'setting', comment: '通知配置', length: 10240 }) @Column({ name: 'setting', comment: '通知配置', length: 10240 })
setting: string; setting: string;
@Column({ name: 'is_default', comment: '是否默认' })
isDefault: boolean;
@Column({ @Column({
name: 'create_time', name: 'create_time',
comment: '创建时间', comment: '创建时间',

View File

@ -1,14 +1,20 @@
import { INotificationService } from '@certd/pipeline'; import { INotificationService } from '@certd/pipeline';
import { NotificationService } from './notification-service.js';
export class NotificationGetter implements INotificationService { export class NotificationGetter implements INotificationService {
userId: number; userId: number;
getter: <T>(id: any, userId?: number) => Promise<T>; notificationService: NotificationService;
constructor(userId: number, getter: (id: any, userId: number) => Promise<any>) {
constructor(userId: number, notificationService: NotificationService) {
this.userId = userId; this.userId = userId;
this.getter = getter; this.notificationService = notificationService;
} }
async getById<T = any>(id: any) { async getDefault() {
return await this.getter<T>(id, this.userId); return await this.notificationService.getDefault(this.userId);
}
async getById(id: any) {
return await this.notificationService.getById(id, this.userId);
} }
} }

View File

@ -50,14 +50,60 @@ export class NotificationService extends BaseService<NotificationEntity> {
}, },
}); });
if (!res) { if (!res) {
throw new ValidateException('通知配置不存在'); throw new ValidateException(`通知配置不存在<${id}>`);
} }
return this.buildNotificationInstanceConfig(res);
}
private buildNotificationInstanceConfig(res: NotificationEntity) {
const setting = JSON.parse(res.setting); const setting = JSON.parse(res.setting);
return { return {
id: res.id, id: res.id,
type: res.type, type: res.type,
name: res.name,
userId: res.userId, userId: res.userId,
setting, setting,
}; };
} }
async getDefault(userId: number): Promise<NotificationInstanceConfig> {
const res = await this.repository.findOne({
where: {
userId,
},
order: {
isDefault: 'DESC',
},
});
if (!res) {
throw new ValidateException('默认通知配置不存在');
}
return this.buildNotificationInstanceConfig(res);
}
async setDefault(id: number, userId: number) {
if (!id) {
throw new ValidateException('id不能为空');
}
if (!userId) {
throw new ValidateException('userId不能为空');
}
await this.repository.update(
{
userId,
},
{
isDefault: false,
}
);
await this.repository.update(
{
id,
userId,
},
{
isDefault: true,
}
);
}
} }

View File

@ -393,7 +393,7 @@ export class PipelineService extends BaseService<PipelineEntity> {
}; };
const accessGetter = new AccessGetter(userId, this.accessService.getById.bind(this.accessService)); const accessGetter = new AccessGetter(userId, this.accessService.getById.bind(this.accessService));
const cnameProxyService = new CnameProxyService(userId, this.cnameRecordService.getWithAccessByDomain.bind(this.cnameRecordService)); const cnameProxyService = new CnameProxyService(userId, this.cnameRecordService.getWithAccessByDomain.bind(this.cnameRecordService));
const notificationGetter = new NotificationGetter(userId, this.notificationService.getById.bind(this.notificationService)); const notificationGetter = new NotificationGetter(userId, this.notificationService);
const executor = new Executor({ const executor = new Executor({
user, user,
pipeline, pipeline,

View File

@ -30,6 +30,18 @@ export class BarkNotification extends BaseNotification {
helper: '你的bark服务地址+key', helper: '你的bark服务地址+key',
}) })
webhook = ''; webhook = '';
@NotificationInput({
title: '忽略证书校验',
value: false,
component: {
name: 'a-switch',
vModel: 'checked',
},
required: false,
})
skipSslVerify: boolean;
async send(body: NotificationBody) { async send(body: NotificationBody) {
if (!this.webhook) { if (!this.webhook) {
throw new Error('服务器地址不能为空'); throw new Error('服务器地址不能为空');
@ -47,6 +59,7 @@ export class BarkNotification extends BaseNotification {
'Content-Type': 'application/json; charset=utf-8', 'Content-Type': 'application/json; charset=utf-8',
}, },
data: payload, data: payload,
skipSslVerify: this.skipSslVerify,
}); });
} }
} }

View File

@ -43,6 +43,17 @@ export class ServerChanNotification extends BaseNotification {
}) })
noip: boolean; noip: boolean;
@NotificationInput({
title: '忽略证书校验',
value: false,
component: {
name: 'a-switch',
vModel: 'checked',
},
required: false,
})
skipSslVerify: boolean;
async send(body: NotificationBody) { async send(body: NotificationBody) {
if (!this.sendKey) { if (!this.sendKey) {
throw new Error('sendKey不能为空'); throw new Error('sendKey不能为空');
@ -54,6 +65,7 @@ export class ServerChanNotification extends BaseNotification {
text: body.title, text: body.title,
desp: body.content + '[查看详情](' + body.url + ')', desp: body.content + '[查看详情](' + body.url + ')',
}, },
skipSslVerify: this.skipSslVerify,
}); });
} }
} }

View File

@ -49,6 +49,17 @@ export class VoceChatNotification extends BaseNotification {
}) })
targetId = ''; targetId = '';
@NotificationInput({
title: '忽略证书校验',
value: false,
component: {
name: 'a-switch',
vModel: 'checked',
},
required: false,
})
skipSslVerify: boolean;
async send(body: NotificationBody) { async send(body: NotificationBody) {
if (!this.apiKey) { if (!this.apiKey) {
throw new Error('API Key不能为空'); throw new Error('API Key不能为空');
@ -68,6 +79,7 @@ export class VoceChatNotification extends BaseNotification {
'Content-Type': 'text/markdown', 'Content-Type': 'text/markdown',
}, },
data: `# ${body.title}\n\n${body.content}\n[查看详情](${body.url})`, data: `# ${body.title}\n\n${body.content}\n[查看详情](${body.url})`,
skipSslVerify: this.skipSslVerify,
}); });
} }
} }

View File

@ -82,6 +82,17 @@ export class WebhookNotification extends BaseNotification {
}) })
template = ''; template = '';
@NotificationInput({
title: '忽略证书校验',
value: false,
component: {
name: 'a-switch',
vModel: 'checked',
},
required: false,
})
skipSslVerify: boolean;
replaceTemplate(target: string, body: any, urlEncode = false) { replaceTemplate(target: string, body: any, urlEncode = false) {
let bodyStr = target; let bodyStr = target;
const keys = Object.keys(body); const keys = Object.keys(body);
@ -143,6 +154,7 @@ export class WebhookNotification extends BaseNotification {
...headers, ...headers,
}, },
data: data, data: data,
skipSslVerify: this.skipSslVerify,
}); });
} catch (e) { } catch (e) {
if (e.response?.data) { if (e.response?.data) {