feat: 修改监控Stage的方式
All checks were successful
CI Monitor MIflow / build-image (push) Successful in 45s

This commit is contained in:
zhaoyingbo 2024-08-08 11:04:09 +00:00
parent 33428619b4
commit f5ee6f8555
34 changed files with 896 additions and 284 deletions

BIN
bun.lockb

Binary file not shown.

View File

@ -7,6 +7,8 @@ import { Gitlab } from "../../types/gitlab"
/**
* pipeline列表
* @param {DB.Project} project -
* @returns {Promise<(Gitlab.PipelineDetail & { created_at: string })[]>} - pipeline列表
*/
const getFullPipelineList = async (project: DB.Project) => {
// 先获取最新的pipelineID
@ -46,6 +48,13 @@ const getFullPipelineList = async (project: DB.Project) => {
})[]
}
/**
* pipeline列表到数据库
* @param {(Gitlab.PipelineDetail & { created_at: string })[][]} fullPipelineList - pipeline列表
* @param {Record<string, string>} fullUserMap -
* @param {Record<string, string>} fullProjectMap -
* @returns {Promise<void>}
*/
const insertFullPipelineList = async (
fullPipelineList: (Gitlab.PipelineDetail & { created_at: string })[][],
fullUserMap: Record<string, string>,

View File

@ -7,67 +7,79 @@ import { sec2minStr } from "../../utils/timeTools"
/**
*
* @param pipeline
* @returns
* @param {Gitlab.PipelineEvent} pipeline - GitLab 线
* @returns {boolean} - true false
*/
const checkIsMergeCommit = (pipeline: Gitlab.PipelineEvent) => {
const checkIsMergeCommit = (pipeline: Gitlab.PipelineEvent): boolean => {
const regex = /^Merge branch '.*' into '.*'$/
return regex.test(pipeline.commit.title)
}
/**
* CI
* @param pipeline
* @returns
*/
const checkIsSuccess = async (
pipeline: Gitlab.PipelineEvent,
stage?: string | null
) => {
/**
*
* @param buildId ID
* @param continueFlag
* @returns
*/
const makeResult = (buildId: string, continueFlag: boolean) => ({
buildId: continueFlag ? buildId : "",
continueFlag,
})
enum NEXT_ACTION {
SKIP,
NOTIFY,
ADD_MONITOR,
REMOVE_MONITOR,
NOTIFY_AND_REMOVE_MONITOR,
}
/**
*
* @param {Gitlab.PipelineEvent} pipeline - GitLab 线
* @param {string | null} [targetStage] -
* @returns {Promise<NEXT_ACTION>} -
*/
const getNextAction = async (
pipeline: Gitlab.PipelineEvent,
targetStage?: string | null
): Promise<NEXT_ACTION> => {
// 没有指定Stage则整个流水线成功即为成功
if (!stage)
return makeResult(
pipeline.builds
.sort((a, b) =>
(a.finished_at || "").localeCompare(b.finished_at || "")
)[0]
.id.toString(),
pipeline.object_attributes.status === "success"
if (!targetStage) {
if (pipeline.object_attributes.status === "success") {
return NEXT_ACTION.NOTIFY
}
return NEXT_ACTION.SKIP
}
// 指定了stage但是流水线非成功状态删除监控
if (
["failed", "canceled", "skipped"].includes(
pipeline.object_attributes.status
)
// 指定了Stage该Stage是否全部成功
const builds = pipeline.builds.filter((build) => build.stage === stage)
// 没有该Stage的构建
if (builds.length === 0) return makeResult("", false)
// 有该Stage的构建但不全成功
if (!builds.every((build) => build.status === "success"))
return makeResult("", false)
// 按finished_at排序获取最后一个运行的id
const lastId = builds.sort((a, b) =>
(a.finished_at || "").localeCompare(b.finished_at || "")
)[0].id
// 该ID的通知是否已经发送过
const notify = await db.notify.getOne(lastId.toString())
if (notify) return makeResult("", false)
return makeResult(lastId.toString(), true)
) {
return NEXT_ACTION.REMOVE_MONITOR
}
// 指定了Stage且流水线成功了删除监控并发送通知
if (pipeline.object_attributes.status === "success") {
return NEXT_ACTION.NOTIFY_AND_REMOVE_MONITOR
}
// 在流水线为`running`时且该stage全部的job有非结束状态时即`created`、`pending`、`running`、`manual`、`scheduled`时,添加监控
if (pipeline.object_attributes.status === "running") {
const jobs = await service.gitlab.pipeline.getJobs(
pipeline.project.id,
pipeline.object_attributes.id
)
if (
jobs.some(
(job) =>
job.stage === targetStage &&
!["success", "failed", "canceled", "skipped"].includes(job.status)
)
) {
return NEXT_ACTION.ADD_MONITOR
}
}
// 其他情况都跳过
return NEXT_ACTION.SKIP
}
/**
*
* @param pipeline
* @returns
* @param {Gitlab.PipelineEvent} pipeline - GitLab 线
* @returns {Promise<Gitlab.MergeRequest | null>} - null
*/
const getMergeRequest = async (pipeline: Gitlab.PipelineEvent) => {
const getMergeRequest = async (
pipeline: Gitlab.PipelineEvent
): Promise<Gitlab.MergeRequest | null> => {
if (!checkIsMergeCommit(pipeline)) return null
const res = await service.gitlab.commit.getMr(
pipeline.project.id,
@ -79,14 +91,14 @@ const getMergeRequest = async (pipeline: Gitlab.PipelineEvent) => {
/**
*
* @param pipeline
* @param mergeRequest
* @returns
* @param {Gitlab.PipelineEvent} pipeline - GitLab 线
* @param {Gitlab.MergeRequest | null} mergeRequest - null
* @returns {{ participant: string, receiver: string[] }} -
*/
const getUserInfo = (
pipeline: Gitlab.PipelineEvent,
mergeRequest: Gitlab.MergeRequest | null
) => {
): { participant: string; receiver: string[] } => {
let participant = pipeline.user.name
const receiver = [pipeline.user.username]
// 有MR且用户不同
@ -98,39 +110,16 @@ const getUserInfo = (
}
/**
*
* @param variable
* @returns
*
* @param {Gitlab.PipelineEvent} pipeline - GitLab 线
* @returns {Promise<{ receiver: string[], variable: EggMessage.CardVariable }>} -
*/
const getRobotMsg = async (variable: EggMessage.CardVariable) =>
JSON.stringify({
type: "template",
data: {
config: {
update_multi: true,
},
template_id: "ctp_AA36QafWyob2",
template_variable: variable,
},
})
/**
*
* @param pipeline
* @param apiKey
* @returns
*/
const sendNotifyMsg = async (
pipeline: Gitlab.PipelineEvent,
apiKey: string,
params: URLSearchParams
) => {
const { continueFlag, buildId } = await checkIsSuccess(
pipeline,
params.get("stage")
)
// 只处理成功的CICD
if (!continueFlag) return netTool.ok()
const genCardVariable = async (
pipeline: Gitlab.PipelineEvent
): Promise<{
receiver: string[]
variable: EggMessage.CardVariable
}> => {
// 获取对应的合并请求
const mergeRequest = await getMergeRequest(pipeline)
// 获取用户信息
@ -156,18 +145,167 @@ const sendNotifyMsg = async (
mr_link: mergeRequest ? mergeRequest.web_url : "",
sonar_link: `https://sonarqube.mioffice.cn/dashboard?${sonarParams}`,
}
return {
receiver,
variable,
}
}
/**
*
* @param {EggMessage.CardVariable} variable -
* @returns {string} -
*/
const genLarkRobotMsgContent = (variable: EggMessage.CardVariable): string =>
JSON.stringify({
type: "template",
data: {
config: {
update_multi: true,
},
template_id: "ctp_AA36QafWyob2",
template_variable: variable,
},
})
/**
*
* @param {Gitlab.PipelineEvent} pipeline - 线
* @param {string} apiKey - API
* @returns {Promise<void>} -
*/
const sendNotify = async (
pipeline: Gitlab.PipelineEvent,
apiKey: string
): Promise<void> => {
// 获取消息信息
const { receiver, variable } = await genCardVariable(pipeline)
// 获取机器人消息
const robotMsg = await getRobotMsg(variable)
const robotMsg = genLarkRobotMsgContent(variable)
// 发送消息
service.message.byUserIdList(receiver, robotMsg, apiKey)
// 记录日志
await db.notify.create({ ...variable, build_id: buildId })
await db.notify.create({ ...variable })
}
/**
*
* @param {Gitlab.PipelineEvent} pipeline - 线
* @param {string} apiKey - API
* @param {string} stage -
* @returns {Promise<void>} -
*/
const addMonitor = async (
pipeline: Gitlab.PipelineEvent,
apiKey: string,
stage: string
): Promise<void> => {
const monitor = await db.monitor.getOne(
pipeline.project.id.toString(),
pipeline.object_attributes.id.toString(),
stage,
apiKey
)
if (monitor) return
// 获取消息信息
const { receiver, variable } = await genCardVariable(pipeline)
await db.monitor.create({
project_id: pipeline.project.id.toString(),
pipeline_id: pipeline.object_attributes.id.toString(),
stage,
api_key: apiKey,
receiver,
variable,
})
}
/**
*
* @param {Gitlab.PipelineEvent} pipeline - 线
* @param {string} apiKey - API
* @param {string} stage -
* @returns {Promise<void>} -
*/
const removeMonitor = async (
pipeline: Gitlab.PipelineEvent,
apiKey: string,
stage: string
): Promise<void> => {
const monitor = await db.monitor.getOne(
pipeline.project.id.toString(),
pipeline.object_attributes.id.toString(),
stage,
apiKey
)
if (!monitor) return
await db.monitor.del(monitor.id)
}
/**
*
* @param {Gitlab.PipelineEvent} pipeline - 线
* @param {string} apiKey - API
* @param {string} stage -
* @returns {Promise<void>} -
*/
const removeMonitorAndNotify = async (
pipeline: Gitlab.PipelineEvent,
apiKey: string,
stage: string
): Promise<void> => {
const monitor = await db.monitor.getOne(
pipeline.project.id.toString(),
pipeline.object_attributes.id.toString(),
stage,
apiKey
)
if (!monitor) return
db.monitor.del(monitor.id)
sendNotify(pipeline, apiKey)
}
/**
*
* @param {Gitlab.PipelineEvent} pipeline - GitLab 线
* @param {string} apiKey - API
* @param {URLSearchParams} params - URL
* @returns {Promise<Response>} -
*/
const manageRawEvent = async (
pipeline: Gitlab.PipelineEvent,
apiKey: string,
params: URLSearchParams
): Promise<Response> => {
// 获取Stage参数
const stage = params.get("stage")
// 获取下一步操作
const action = await getNextAction(pipeline, stage)
// 发送通知
if (action === NEXT_ACTION.NOTIFY) {
sendNotify(pipeline, apiKey)
}
// 添加监控
if (action === NEXT_ACTION.ADD_MONITOR) {
addMonitor(pipeline, apiKey, stage!)
}
// 删除监控
if (action === NEXT_ACTION.REMOVE_MONITOR) {
removeMonitor(pipeline, apiKey, stage!)
}
// 删除监控并发送通知
if (action === NEXT_ACTION.NOTIFY_AND_REMOVE_MONITOR) {
removeMonitorAndNotify(pipeline, apiKey, stage!)
}
// 返回成功
return netTool.ok()
}
/**
* 线
*/
const managePipelineEvent = {
sendNotifyMsg,
manageRawEvent,
genLarkRobotMsgContent,
}
export default managePipelineEvent

View File

@ -4,8 +4,10 @@ import { DB } from "../../types/db"
/**
*
* @param {DB.Project} project -
* @returns {Promise<DB.Project>} -
*/
const fillProj = async (project: DB.Project) => {
const fillProj = async (project: DB.Project): Promise<DB.Project> => {
const projDetail = await service.gitlab.project.getDetail(project.project_id)
if (!projDetail) {
return project
@ -22,10 +24,10 @@ const fillProj = async (project: DB.Project) => {
}
/**
*
* fillProj填充内容
* fillProj
* @returns {Promise<DB.Project[]>} -
*/
const getFullProjList = async () => {
const getFullProjList = async (): Promise<DB.Project[]> => {
const fullList = await db.project.getFullList()
// 把信息不全的项目送过去填充
const filledProjList = await Promise.all(
@ -38,7 +40,14 @@ const getFullProjList = async () => {
return filledFullProjList
}
const getFullProjectMap = (fullProjList: DB.Project[]) => {
/**
*
* @param {DB.Project[]} fullProjList -
* @returns {Record<string, string>} -
*/
const getFullProjectMap = (
fullProjList: DB.Project[]
): Record<string, string> => {
const fullProjectMap: Record<string, string> = {}
fullProjList.forEach((item) => {
fullProjectMap[item.project_id] = item.id

View File

@ -3,6 +3,10 @@ import service from "../../service"
import { calculateWeeklyRate } from "../../utils/robotTools"
import { getPrevWeekWithYear, getWeekTimeWithYear } from "../../utils/timeTools"
/**
* CI/CD状态
* @returns {Promise<{ has_new_cicd_count: string, without_new_cicd_count: string }>} - CI/CD和无新CI/CD的项目数量
*/
const getNewCicdStatus = async () => {
const fullProjList = await db.project.getFullList()
const has_new_cicd_count = String(
@ -21,6 +25,10 @@ const getNewCicdStatus = async () => {
}
}
/**
*
* @returns {Promise<Object>} -
*/
const getStatisticsInfo = async () => {
const curWeekInfo = await db.view.getFullStatisticsByWeek(
getWeekTimeWithYear()
@ -48,6 +56,10 @@ const getStatisticsInfo = async () => {
}
}
/**
*
* @returns {Promise<Array>} -
*/
const getProjDiffInfo = async () => {
const curWeekInfo =
(await db.view.getProjStatisticsByWeek(getWeekTimeWithYear())) || []
@ -95,7 +107,7 @@ const getProjDiffInfo = async () => {
/**
*
* @returns
* @returns {Promise<string>} - JSON字符串
*/
const getRobotMsg = async () =>
JSON.stringify({
@ -115,7 +127,8 @@ const getRobotMsg = async () =>
/**
* ChatID发送CI报告
* @param chat_id
* @param {string} chat_id - ChatID
* @returns {Promise<void>}
*/
const sendCIReportByChatId = async (chat_id: string) => {
await service.message.byChatId(chat_id, await getRobotMsg())
@ -123,7 +136,7 @@ const sendCIReportByChatId = async (chat_id: string) => {
/**
* CI报告
* @returns
* @returns {Promise<void>}
*/
const sendCIReportByCron = async () =>
await service.message.byGroupId("52usf3w8l6z4vs1", await getRobotMsg())

View File

@ -1,7 +1,14 @@
import db from "../../db"
import { Gitlab } from "../../types/gitlab"
const getFullUserMap = async (fullPipelineList: Gitlab.PipelineDetail[][]) => {
/**
*
* @param {Gitlab.PipelineDetail[][]} fullPipelineList - pipeline列表
* @returns {Promise<Record<string, string>>} -
*/
const getFullUserMap = async (
fullPipelineList: Gitlab.PipelineDetail[][]
): Promise<Record<string, string>> => {
const userList: Gitlab.User[] = []
fullPipelineList.forEach((fullPipeline) => {
fullPipeline.forEach((item) => {

View File

@ -1,3 +1,4 @@
import monitor from "./monitor"
import notify from "./notify"
import pipeline from "./pipeline"
import project from "./project"
@ -10,6 +11,7 @@ const db = {
user,
view,
notify,
monitor,
}
export default db

57
db/monitor/index.ts Normal file
View File

@ -0,0 +1,57 @@
import { DB } from "../../types/db"
import { managePb404 } from "../../utils/pbTools"
import pbClient from "../pbClient"
/**
*
* @param {string} project_id - ID
* @param {string} pipeline_id - 线ID
* @param {string} stage -
* @param {string} api_key - API密钥
* @returns {Promise<DB.Monitor | null>} - null
*/
const getOne = (
project_id: string,
pipeline_id: string,
stage: string,
api_key: string
) =>
managePb404<DB.Monitor>(() =>
pbClient
.collection("monitor")
.getFirstListItem(
`project_id="${project_id}" && pipeline_id="${pipeline_id}" && stage="${stage}" && api_key="${api_key}"`
)
)
/**
*
* @returns {Promise<DB.Monitor[]>} -
*/
const getFullList = async (): Promise<DB.Monitor[]> =>
await pbClient.collection("monitor").getFullList<DB.Monitor>()
/**
*
* @param {Partial<DB.Monitor>} data -
* @returns {Promise<DB.Monitor>} -
*/
const create = async (data: Partial<DB.Monitor>): Promise<DB.Monitor> =>
await pbClient.collection("monitor").create<DB.Monitor>(data)
/**
*
* @param {string} id - ID
* @returns {Promise<boolean>}
*/
const del = async (id: string): Promise<boolean> =>
await pbClient.collection("monitor").delete(id)
const monitor = {
create,
getOne,
del,
getFullList,
}
export default monitor

View File

@ -1,29 +1,16 @@
import { DB } from "../../types/db"
import { managePb404 } from "../../utils/pbTools"
import pbClient from "../pbClient"
/**
*
* @param id ID
* @returns promise404
*/
const getOne = (id: string) =>
managePb404<DB.Notify>(
async () =>
await pbClient.collection("notify").getFirstListItem(`build_id="${id}"`)
)
/**
*
* @param data
* @returns promise
* @param {Partial<DB.Notify>} data -
* @returns {Promise<DB.Notify>} - promise
*/
const create = async (data: Partial<DB.Notify>) =>
await pbClient.collection("notify").create<DB.Notify>(data)
const notify = {
create,
getOne,
}
export default notify

View File

@ -4,34 +4,31 @@ import pbClient from "../pbClient"
/**
* ID
* @param id ID
* @returns promise
* @param {string} id - ID
* @returns {Promise<DB.Pipeline| null>} - promise
*/
const getOne = (id: string) =>
managePb404<DB.Pipeline>(
async () => await pbClient.collection("pipeline").getOne(id)
)
managePb404<DB.Pipeline>(() => pbClient.collection("pipeline").getOne(id))
/**
*
* @param project_id ID
* @returns promise
* @param {string} project_id - ID
* @returns {Promise<DB.Pipeline | null>} - promise
*/
const getLatestOne = (project_id: string) => {
return managePb404<DB.Pipeline>(
async () =>
await pbClient
.collection("pipeline")
.getFirstListItem(`project_id="${project_id}"`, {
sort: "-created_at",
})
return managePb404<DB.Pipeline>(() =>
pbClient
.collection("pipeline")
.getFirstListItem(`project_id="${project_id}"`, {
sort: "-created_at",
})
)
}
/**
*
* @param data
* @returns promise
* @param {Partial<DB.Pipeline>} data -
* @returns {Promise<DB.Pipeline>} - promise
*/
const create = async (data: Partial<DB.Pipeline>) =>
await pbClient.collection("pipeline").create<DB.Pipeline>(data)

View File

@ -4,28 +4,29 @@ import pbClient from "../pbClient"
/**
* ID
* @param id - ID
* @returns promise
* @param {string} id - ID
* @returns {Promise<DB.Project | null>} - promise
*/
const getOne = (id: string) =>
managePb404<DB.Project>(
async () => await pbClient.collection("project").getOne(id)
)
managePb404<DB.Project>(() => pbClient.collection("project").getOne(id))
/**
*
* @returns promise
* @returns {Promise<DB.Project[]>} - promise
*/
const getFullList = async () =>
await pbClient.collection("project").getFullList<DB.Project>()
/**
* 使
* @param id - ID
* @param data -
* @returns promise
* @param {string} id - ID
* @param {Partial<DB.Project>} data -
* @returns {Promise<DB.Project>} - promise
*/
const update = async (id: string, data: Partial<DB.Project>) =>
const update = async (
id: string,
data: Partial<DB.Project>
): Promise<DB.Project> =>
await pbClient.collection("project").update<DB.Project>(id, data)
/**

View File

@ -4,32 +4,28 @@ import pbClient from "../pbClient"
/**
* ID从数据库检索单个用户
* @param id ID
* @returns promise404
* @param {string} id - ID
* @returns {Promise<DB.User | null>} - promise404
*/
const getOne = (id: string) =>
managePb404<DB.User>(async () => await pbClient.collection("user").getOne(id))
managePb404<DB.User>(() => pbClient.collection("user").getOne(id))
/**
* ID从数据库检索单个用户
* @param user_id ID
* @returns promise404
* @param {number} user_id - ID
* @returns {Promise<DB.User | null>} - promise404
*/
const getOneByUserId = (user_id: number) => {
return managePb404<DB.User>(
async () =>
await pbClient
.collection("user")
.getFirstListItem(`user_id="${user_id}"`, {
sort: "-created",
})
const getOneByUserId = (user_id: number) =>
managePb404<DB.User>(() =>
pbClient.collection("user").getFirstListItem(`user_id="${user_id}"`, {
sort: "-created",
})
)
}
/**
*
* @param data
* @returns promise
* @param {Partial<DB.User>} data -
* @returns {Promise<DB.User>} - promise
*/
const create = async (data: Partial<DB.User>) =>
await pbClient.collection("user").create<DB.User>(data)
@ -38,11 +34,10 @@ const create = async (data: Partial<DB.User>) =>
*
* ID的用户已存在
* ID的用户不存在
* @param data
* @returns promise
* IDnull
* @param {Partial<DB.User>} data -
* @returns {Promise<DB.User | null>} - promiseIDnull
*/
const upsert = async (data: Partial<DB.User>) => {
const upsert = async (data: Partial<DB.User>): Promise<DB.User | null> => {
if (!data.user_id) return null
const userInfo = await getOneByUserId(data.user_id)
if (userInfo) return userInfo

View File

@ -4,32 +4,29 @@ import pbClient from "../pbClient"
/**
*
* @param week -
* @returns promise
* @param {string} week -
* @returns {Promise<DB.StatisticsPerWeek | null>} - promise
*/
const getFullStatisticsByWeek = (week: string) => {
return managePb404<DB.StatisticsPerWeek>(
async () =>
await pbClient
.collection("statisticsPerWeek")
.getFirstListItem(`week="${week}"`)
const getFullStatisticsByWeek = (week: string) =>
managePb404<DB.StatisticsPerWeek>(() =>
pbClient.collection("statisticsPerWeek").getFirstListItem(`week="${week}"`)
)
}
/**
*
* @param week -
* @returns promise
* @param {string} week -
* @returns {Promise<DB.StatisticsPerProj[] | null>} - promise
*/
const getProjStatisticsByWeek = (week: string) => {
return managePb404<DB.StatisticsPerProj[]>(
async () =>
await pbClient
.collection("statisticsPerProj")
.getFullList({ filter: `week="${week}"` })
const getProjStatisticsByWeek = (week: string) =>
managePb404<DB.StatisticsPerProj[]>(() =>
pbClient
.collection("statisticsPerProj")
.getFullList({ filter: `week="${week}"` })
)
}
/**
*
*/
const view = {
getFullStatisticsByWeek,
getProjStatisticsByWeek,

View File

@ -38,6 +38,7 @@
"lodash": "^4.17.21",
"moment": "^2.30.1",
"node-schedule": "^2.1.1",
"p-limit": "^6.1.0",
"pocketbase": "^0.21.1"
}
}

View File

@ -19,7 +19,16 @@
组织卡片信息,给 Commit的用户以及 可能的 MR发起者发送通知
## 处理在中间Stage需要提醒的情况
在stage全部成功的情况下按finish_at时间排序找到最后一个stage如果stage的状态是成功且该build的id没有发送过通知则发送通知
~~在stage全部成功的情况下按finish_at时间排序找到最后一个stage如果stage的状态是成功且该build的id没有发送过通知则发送通知~~
流水线通知只是在Pipeline纬度上所以某个stage的变化不会触发通知
在流水线为`running`如果需要监听Stage且该stage全部的job有非结束状态时即`created``pending``running``manual``scheduled`
加入数据库监控列表每10s检查一次如果stage状态全部成功的时候则发送通知并删除监控
在流水线结束,即状态为`failed``canceled``skipped``success`,的时候,删除监控,并在状态为`success`的时候,发送通知
# 数据库表信息

View File

@ -3,10 +3,10 @@ import netTool from "../../service/netTool"
/**
* CI监视器的请求
* @param req -
* @returns
* @param {Request} req -
* @returns {Response} -
*/
export const manageCIMonitorReq = (req: Request) => {
export const manageCIMonitorReq = (req: Request): Response => {
const url = new URL(req.url)
const chat_id = url.searchParams.get("chat_id")
if (!chat_id) return netTool.badRequest("chat_id is required!")

View File

@ -4,10 +4,10 @@ import { Gitlab } from "../../types/gitlab"
/**
* Gitlab事件的请求
* @param req -
* @returns
* @param {Request} req -
* @returns {Promise<Response>} -
*/
export const manageGitlabEventReq = async (req: Request) => {
export const manageGitlabEventReq = async (req: Request): Promise<Response> => {
const apiKey = req.headers.get("x-gitlab-token")
if (!apiKey) return netTool.badRequest("x-gitlab-token is required!")
const eventType = req.headers.get("x-gitlab-event")
@ -15,7 +15,7 @@ export const manageGitlabEventReq = async (req: Request) => {
if (eventType === "Pipeline Hook") {
const body = (await req.json()) as Gitlab.PipelineEvent
const params = new URLSearchParams(req.url.split("?")[1])
return managePipelineEvent.sendNotifyMsg(body, apiKey, params)
return managePipelineEvent.manageRawEvent(body, apiKey, params)
}
return netTool.ok()
}

View File

@ -1,15 +1,20 @@
import { scheduleJob } from "node-schedule"
import manageRobot from "../controllers/manageRobot"
import syncPipLine from "./syncPipLine"
import monitorJob from "./monitorJob"
import syncPipeLine from "./syncPipeLine"
const initSchedule = async () => {
// 每周五早上10点发送CI报告
scheduleJob("0 10 * * 5", manageRobot.sendCIReportByCron)
// 每15分钟同步一次CI数据
scheduleJob("*/15 * * * *", syncPipLine)
scheduleJob("*/15 * * * *", syncPipeLine)
// 每10秒执行一次监控任务
scheduleJob("*/10 * * * * *", monitorJob)
// 立即同步一次
syncPipLine()
syncPipeLine()
// 立即执行一次监控任务
monitorJob()
}
export default initSchedule

84
schedule/monitorJob.ts Normal file
View File

@ -0,0 +1,84 @@
import pLimit from "p-limit"
import managePipelineEvent from "../controllers/managePipelineEvent"
import db from "../db"
import service from "../service"
import { DB } from "../types/db"
import { sec2minStr } from "../utils/timeTools"
/**
*
* @param {DB.Monitor} monitor -
* @returns {Promise<void>}
*/
const doMonitor = async (monitor: DB.Monitor): Promise<void> => {
const { project_id, pipeline_id, api_key, stage, receiver, variable } =
monitor
// 获取Job列表
const jobList = await service.gitlab.pipeline.getJobs(
Number(project_id),
Number(pipeline_id)
)
// 是否所有Stage关联的Job都成功了
const isAllSuccess = jobList.every(
(job) => job.stage === stage && job.status === "success"
)
// 没全部成功跳过
if (!isAllSuccess) return
// 先删除监控
await db.monitor.del(monitor.id)
// 获取最新的执行时长
const pipelineDetail = await service.gitlab.pipeline.getDetail(
Number(project_id),
Number(pipeline_id)
)
if (pipelineDetail) {
variable["duration"] = sec2minStr(pipelineDetail.duration)
}
// 获取机器人消息
const robotMsg = managePipelineEvent.genLarkRobotMsgContent(variable)
// 发送消息
await service.message.byUserIdList(receiver, robotMsg, api_key)
// 记录日志
await db.notify.create({ ...variable })
}
/**
* 24
* @async
* @function removeOverTimeMonitor
* @returns {Promise<void>}
* @description 24
*/
const removeOverTimeMonitor = async (): Promise<void> => {
const fullMonitorList = await db.monitor.getFullList()
const now = Date.now()
await Promise.all(
fullMonitorList.map(async (monitor) => {
const createdAtTimestamp = new Date(monitor.created_at).getTime()
if (now - createdAtTimestamp > 24 * 60 * 60 * 1000) {
await db.monitor.del(monitor.id)
}
})
)
}
/**
*
* @returns {Promise<void>}
*/
const monitorJob = async (): Promise<void> => {
// 获取全部监控项
const fullMonitorList = await db.monitor.getFullList()
if (fullMonitorList.length === 0) return
// 并发限制
const limit = pLimit(3)
// 并发处理
await Promise.all(
fullMonitorList.map((monitor) => limit(() => doMonitor(monitor)))
)
// 移除超过24小时的监控项
await removeOverTimeMonitor()
}
export default monitorJob

View File

@ -2,7 +2,17 @@ import managePipeline from "../controllers/managePipeLine"
import manageProject from "../controllers/manageProject"
import manageUser from "../controllers/manageUser"
const syncPipLine = async () => {
/**
*
*
*
*
*
* @async
* @function syncPipLine
* @returns {Promise<void>}
*/
const syncPipeLine = async (): Promise<void> => {
const fullProjList = await manageProject.getFullProjList()
const fullPipelineList = await Promise.all(
fullProjList.map((v) => managePipeline.getFullPipelineList(v))
@ -16,4 +26,4 @@ const syncPipLine = async () => {
)
}
export default syncPipLine
export default syncPipeLine

181
script/pipline/jobs.json Normal file
View File

@ -0,0 +1,181 @@
[
{
"id": 25820911,
"status": "running",
"stage": "deploy",
"name": "DEPLOY_STAGING",
"ref": "staging",
"tag": false,
"coverage": null,
"allow_failure": false,
"created_at": "2024-08-08T16:19:15.798+08:00",
"started_at": "2024-08-08T16:19:21.461+08:00",
"finished_at": null,
"duration": 19.551757848,
"queued_duration": 5.623183,
"user": {
"id": 10011,
"username": "zhaoyingbo",
"name": "赵英博",
"state": "active",
"avatar_url": "https://git.n.xiaomi.com/uploads/-/system/user/avatar/10011/avatar.png",
"web_url": "https://git.n.xiaomi.com/zhaoyingbo",
"created_at": "2020-08-24T19:34:30.822+08:00",
"bio": "",
"location": "",
"public_email": "zhaoyingbo@live.cn",
"skype": "",
"linkedin": "",
"twitter": "",
"website_url": "",
"organization": "",
"job_title": "",
"pronouns": null,
"bot": false,
"work_information": null,
"followers": 0,
"following": 0,
"bio_html": ""
},
"commit": {
"id": "748dfce35d9f04c2da3ddde2f68f1c0b9a7f751f",
"short_id": "748dfce3",
"created_at": "2024-08-08T14:52:03.000+08:00",
"parent_ids": [
"cbbdf145bd5fbc631803bd9243bc4bdf8a6fa959",
"156d2b1c527f01976ce1b122452e8be1c8b5b199"
],
"title": "Merge branch 'feature/modelService-ApprovalDeletion' into staging",
"message": "Merge branch 'feature/modelService-ApprovalDeletion' into staging\n",
"author_name": "jiangtong",
"author_email": "jiangtong@xiaomi.com",
"authored_date": "2024-08-08T14:52:03.000+08:00",
"committer_name": "jiangtong",
"committer_email": "jiangtong@xiaomi.com",
"committed_date": "2024-08-08T14:52:03.000+08:00",
"trailers": {},
"web_url": "https://git.n.xiaomi.com/cloudml-visuals/fe/cloud-ml-fe/-/commit/748dfce35d9f04c2da3ddde2f68f1c0b9a7f751f"
},
"pipeline": {
"id": 8936993,
"project_id": 139032,
"sha": "748dfce35d9f04c2da3ddde2f68f1c0b9a7f751f",
"ref": "staging",
"status": "running",
"source": "push",
"created_at": "2024-08-08T14:52:11.425+08:00",
"updated_at": "2024-08-08T16:19:16.880+08:00",
"web_url": "https://git.n.xiaomi.com/cloudml-visuals/fe/cloud-ml-fe/-/pipelines/8936993"
},
"web_url": "https://git.n.xiaomi.com/cloudml-visuals/fe/cloud-ml-fe/-/jobs/25820911",
"artifacts": [],
"runner": {
"id": 9134,
"description": "cloudml-fe-bj",
"ip_address": "10.142.18.13",
"active": true,
"is_shared": false,
"runner_type": "group_type",
"name": "gitlab-runner",
"online": true,
"status": "online"
},
"artifacts_expire_at": null,
"tag_list": [
"cloudml-fe-bj"
]
},
{
"id": 25815806,
"status": "success",
"stage": "sonar_scan",
"name": "SONAR_SCAN",
"ref": "staging",
"tag": false,
"coverage": null,
"allow_failure": true,
"created_at": "2024-08-08T14:52:11.564+08:00",
"started_at": "2024-08-08T14:54:57.403+08:00",
"finished_at": "2024-08-08T14:57:57.990+08:00",
"duration": 180.587239,
"queued_duration": 6.876928,
"user": {
"id": 18608,
"username": "jiangtong",
"name": "姜通",
"state": "active",
"avatar_url": "https://git.n.xiaomi.com/uploads/-/system/user/avatar/18608/avatar.png",
"web_url": "https://git.n.xiaomi.com/jiangtong",
"created_at": "2021-12-09T12:43:41.266+08:00",
"bio": "",
"location": "",
"public_email": "",
"skype": "",
"linkedin": "",
"twitter": "",
"website_url": "",
"organization": "",
"job_title": "",
"pronouns": null,
"bot": false,
"work_information": null,
"followers": 0,
"following": 0,
"bio_html": ""
},
"commit": {
"id": "748dfce35d9f04c2da3ddde2f68f1c0b9a7f751f",
"short_id": "748dfce3",
"created_at": "2024-08-08T14:52:03.000+08:00",
"parent_ids": [
"cbbdf145bd5fbc631803bd9243bc4bdf8a6fa959",
"156d2b1c527f01976ce1b122452e8be1c8b5b199"
],
"title": "Merge branch 'feature/modelService-ApprovalDeletion' into staging",
"message": "Merge branch 'feature/modelService-ApprovalDeletion' into staging\n",
"author_name": "jiangtong",
"author_email": "jiangtong@xiaomi.com",
"authored_date": "2024-08-08T14:52:03.000+08:00",
"committer_name": "jiangtong",
"committer_email": "jiangtong@xiaomi.com",
"committed_date": "2024-08-08T14:52:03.000+08:00",
"trailers": {},
"web_url": "https://git.n.xiaomi.com/cloudml-visuals/fe/cloud-ml-fe/-/commit/748dfce35d9f04c2da3ddde2f68f1c0b9a7f751f"
},
"pipeline": {
"id": 8936993,
"project_id": 139032,
"sha": "748dfce35d9f04c2da3ddde2f68f1c0b9a7f751f",
"ref": "staging",
"status": "running",
"source": "push",
"created_at": "2024-08-08T14:52:11.425+08:00",
"updated_at": "2024-08-08T16:19:16.880+08:00",
"web_url": "https://git.n.xiaomi.com/cloudml-visuals/fe/cloud-ml-fe/-/pipelines/8936993"
},
"web_url": "https://git.n.xiaomi.com/cloudml-visuals/fe/cloud-ml-fe/-/jobs/25815806",
"artifacts": [
{
"file_type": "trace",
"size": 57859,
"filename": "job.log",
"file_format": null
}
],
"runner": {
"id": 9134,
"description": "cloudml-fe-bj",
"ip_address": "10.142.18.13",
"active": true,
"is_shared": false,
"runner_type": "group_type",
"name": "gitlab-runner",
"online": true,
"status": "online"
},
"artifacts_expire_at": null,
"tag_list": [
"cloudml-fe-bj"
]
}
]

View File

@ -11,10 +11,10 @@ export type BadgeSetParams = Omit<Gitlab.Badge, "kind" | "name"> & {
/**
* GitLab
* @param project_id ID
* @returns GitLab
* @param {number} project_id - ID
* @returns {Promise<Gitlab.Badge[]>} GitLab
*/
const get = async (project_id: number) => {
const get = async (project_id: number): Promise<Gitlab.Badge[]> => {
const URL = `${GITLAB_BASE_URL}/projects/${project_id}/badges`
return gitlabReqWarp<Gitlab.Badge[]>(
() => netTool.get(URL, {}, GITLAB_AUTH_HEADER),
@ -24,10 +24,10 @@ const get = async (project_id: number) => {
/**
* GitLab
* @param badge
* @returns
* @param {BadgeSetParams} badge -
* @returns {Promise<Gitlab.Badge | null>}
*/
const set = async (badge: BadgeSetParams) => {
const set = async (badge: BadgeSetParams): Promise<Gitlab.Badge | null> => {
const URL = `${GITLAB_BASE_URL}/projects/${badge.id}/badges/${badge.badge_id}`
return gitlabReqWarp<Gitlab.Badge>(
() => netTool.put(URL, badge, {}, GITLAB_AUTH_HEADER),
@ -37,10 +37,10 @@ const set = async (badge: BadgeSetParams) => {
/**
* GitLab
* @param badge
* @returns
* @param {BadgeSetParams} badge -
* @returns {Promise<Gitlab.Badge | null>}
*/
const add = async (badge: BadgeSetParams) => {
const add = async (badge: BadgeSetParams): Promise<Gitlab.Badge | null> => {
const URL = `${GITLAB_BASE_URL}/projects/${badge.id}/badges`
return gitlabReqWarp<Gitlab.Badge>(
() => netTool.post(URL, badge, {}, GITLAB_AUTH_HEADER),

View File

@ -4,11 +4,14 @@ import { GITLAB_AUTH_HEADER, GITLAB_BASE_URL, gitlabReqWarp } from "./tools"
/**
*
* @param project_id - ID
* @param sha - SHA
* @returns promise
* @param {number} project_id - ID
* @param {string} sha - SHA
* @returns {Promise<Gitlab.MergeRequest[]>} promise
*/
const getMr = async (project_id: number, sha: string) => {
const getMr = async (
project_id: number,
sha: string
): Promise<Gitlab.MergeRequest[]> => {
const URL = `${GITLAB_BASE_URL}/projects/${project_id}/repository/commits/${sha}/merge_requests`
return gitlabReqWarp<Gitlab.MergeRequest[]>(
() => netTool.get(URL, {}, GITLAB_AUTH_HEADER),

View File

@ -4,15 +4,14 @@ import { GITLAB_AUTH_HEADER, GITLAB_BASE_URL, gitlabReqWarp } from "./tools"
/**
* GitLab流水线的详细信息
* @param project_id - ID
* @param pipeline_id - 线ID
* @param created_at - 线
* @returns 线promise
* @param {number} project_id - ID
* @param {number} pipeline_id - 线ID
* @param {string} created_at - 线
*/
const getDetail = async (
project_id: number,
pipeline_id: number,
created_at: string
created_at?: string
) => {
const URL = `${GITLAB_BASE_URL}/projects/${project_id}/pipelines/${pipeline_id}`
const res = await gitlabReqWarp<Gitlab.PipelineDetail>(
@ -25,11 +24,14 @@ const getDetail = async (
/**
* GitLab流水线列表
* @param project_id - ID
* @param page - 1
* @returns 线promise
* @param {number} project_id - ID
* @param {number} [page=1] - 1
* @returns {Promise<Gitlab.Pipeline[]>} 线promise
*/
const getList = async (project_id: number, page = 1) => {
const getList = async (
project_id: number,
page = 1
): Promise<Gitlab.Pipeline[]> => {
const URL = `${GITLAB_BASE_URL}/projects/${project_id}/pipelines`
const params = { scope: "finished", per_page: 100, page }
return gitlabReqWarp<Gitlab.Pipeline[]>(
@ -38,9 +40,27 @@ const getList = async (project_id: number, page = 1) => {
)
}
/**
* GitLab流水线的任务列表
* @param {number} project_id - ID
* @param {number} pipeline_id - 线ID
* @returns {Promise<Gitlab.Job[]>} promise
*/
const getJobs = async (
project_id: number,
pipeline_id: number
): Promise<Gitlab.Job[]> => {
const URL = `${GITLAB_BASE_URL}/projects/${project_id}/pipelines/${pipeline_id}/jobs`
return gitlabReqWarp<Gitlab.Job[]>(
() => netTool.get(URL, {}, GITLAB_AUTH_HEADER),
[]
)
}
const pipeline = {
getDetail,
getList,
getJobs,
}
export default pipeline

View File

@ -4,10 +4,12 @@ import { GITLAB_AUTH_HEADER, GITLAB_BASE_URL, gitlabReqWarp } from "./tools"
/**
* GitLab
* @param project_id - ID URL-encoded
* @returns promise
* @param {number | string} project_id - ID URL-encoded
* @returns {Promise<Gitlab.ProjDetail | null>} promise
*/
const getDetail = async (project_id: number | string) => {
const getDetail = async (
project_id: number | string
): Promise<Gitlab.ProjDetail | null> => {
if (typeof project_id === "string")
project_id = encodeURIComponent(project_id)
const URL = `${GITLAB_BASE_URL}/projects/${project_id}`

View File

@ -1,5 +1,12 @@
import { Gitlab } from "../../types/gitlab"
/**
* GitLab
* @template T
* @param {() => Promise<T>} func -
* @param {any} default_value -
* @returns {Promise<T>} promise
*/
export const gitlabReqWarp = async <T = any>(
func: () => Promise<T>,
default_value: any
@ -14,6 +21,14 @@ export const gitlabReqWarp = async <T = any>(
}
}
/**
* GitLab API URL
* @type {string}
*/
export const GITLAB_BASE_URL = "https://git.n.xiaomi.com/api/v4"
/**
* GitLab API
* @type {object}
*/
export const GITLAB_AUTH_HEADER = { "PRIVATE-TOKEN": "Zd1UASPcMwVox5tNS6ep" }

View File

@ -3,7 +3,12 @@ import netTool from "../netTool"
const API_KEY = "1dfz4wlpbbgiky0"
const URL = "https://lark-egg.ai.xiaomi.com/message"
const message = async (body: any) => {
/**
* URL
* @param {object} body -
* @returns {Promise<any>} promise
*/
const message = async (body: any): Promise<any> => {
try {
const res = await netTool.post(URL, {
api_key: API_KEY,
@ -15,7 +20,13 @@ const message = async (body: any) => {
}
}
message.byGroupId = async (group_id: string, content: string) => {
/**
* ID
* @param {string} group_id - ID
* @param {string} content -
* @returns {Promise<any>} promise
*/
message.byGroupId = async (group_id: string, content: string): Promise<any> => {
return message({
group_id,
msg_type: "interactive",
@ -23,7 +34,13 @@ message.byGroupId = async (group_id: string, content: string) => {
})
}
message.byChatId = async (chat_id: string, content: string) => {
/**
* ID
* @param {string} chat_id - ID
* @param {string} content -
* @returns {Promise<any>} promise
*/
message.byChatId = async (chat_id: string, content: string): Promise<any> => {
return message({
receive_id: chat_id,
receive_id_type: "chat_id",
@ -32,7 +49,13 @@ message.byChatId = async (chat_id: string, content: string) => {
})
}
message.byUserId = async (user_id: string, content: string) => {
/**
* ID
* @param {string} user_id - ID
* @param {string} content -
* @returns {Promise<any>} promise
*/
message.byUserId = async (user_id: string, content: string): Promise<any> => {
return message({
receive_id: user_id,
receive_id_type: "user_id",
@ -41,11 +64,18 @@ message.byUserId = async (user_id: string, content: string) => {
})
}
/**
* ID
* @param {string[]} user_id_list - ID
* @param {string} content -
* @param {string} [api_key] - API
* @returns {Promise<any>} promise
*/
message.byUserIdList = async (
user_id_list: string[],
content: string,
api_key?: string
) => {
): Promise<any> => {
return message({
receive_id: user_id_list.join(","),
receive_id_type: "user_id",

View File

@ -8,12 +8,12 @@ interface NetRequestParams {
/**
*
* @param response -
* @param method - 使HTTP方法
* @param headers -
* @param requestBody -
* @param responseBody -
* @returns
* @param {Response} response -
* @param {string} method - 使HTTP方法
* @param {any} headers -
* @param {any} requestBody -
* @param {any} responseBody -
* @returns {object}
*/
const logResponse = (
response: Response,
@ -39,12 +39,8 @@ const logResponse = (
/**
* Promise
* @param url - URL
* @param method - 使HTTP方法
* @param queryParams - URL中的查询参数
* @param payload -
* @param additionalHeaders -
* @returns Promise
* @param {NetRequestParams} params -
* @returns {Promise<T>} Promise
* @throws
*/
const netTool = async <T = any>({
@ -109,10 +105,10 @@ const netTool = async <T = any>({
/**
* GET请求并返回一个解析为响应数据的Promise
*
* @param url - URL
* @param queryParams - URL中的查询参数
* @param additionalHeaders -
* @returns Promise
* @param {string} url - URL
* @param {any} [queryParams] - URL中的查询参数
* @param {any} [additionalHeaders] -
* @returns {Promise<T>} Promise
*/
netTool.get = <T = any>(
url: string,
@ -123,11 +119,11 @@ netTool.get = <T = any>(
/**
* POST请求并返回一个解析为响应数据的Promise
*
* @param url - URL
* @param payload -
* @param queryParams - URL中的查询参数
* @param additionalHeaders -
* @returns Promise
* @param {string} url - URL
* @param {any} [payload] -
* @param {any} [queryParams] - URL中的查询参数
* @param {any} [additionalHeaders] -
* @returns {Promise<T>} Promise
*/
netTool.post = <T = any>(
url: string,
@ -140,11 +136,11 @@ netTool.post = <T = any>(
/**
* PUT请求并返回一个解析为响应数据的Promise
*
* @param url - URL
* @param payload -
* @param queryParams - URL中的查询参数
* @param additionalHeaders -
* @returns Promise
* @param {string} url - URL
* @param {any} payload -
* @param {any} [queryParams] - URL中的查询参数
* @param {any} [additionalHeaders] -
* @returns {Promise<T>} Promise
*/
netTool.put = <T = any>(
url: string,
@ -157,11 +153,11 @@ netTool.put = <T = any>(
/**
* DELETE请求并返回一个解析为响应数据的Promise
*
* @param url - URL
* @param payload -
* @param queryParams - URL中的查询参数
* @param additionalHeaders -
* @returns Promise
* @param {string} url - URL
* @param {any} payload -
* @param {any} [queryParams] - URL中的查询参数
* @param {any} [additionalHeaders] -
* @returns {Promise<T>} Promise
*/
netTool.del = <T = any>(
url: string,
@ -174,11 +170,11 @@ netTool.del = <T = any>(
/**
* PATCH请求并返回一个解析为响应数据的Promise
*
* @param url - URL
* @param payload -
* @param queryParams - URL中的查询参数
* @param additionalHeaders -
* @returns Promise
* @param {string} url - URL
* @param {any} payload -
* @param {any} [queryParams] - URL中的查询参数
* @param {any} [additionalHeaders] -
* @returns {Promise<T>} Promise
*/
netTool.patch = <T = any>(
url: string,
@ -191,9 +187,9 @@ netTool.patch = <T = any>(
/**
* 400 Bad Request的响应对象
*
* @param msg -
* @param requestId - ID
* @returns 400 Bad Request的响应对象
* @param {string} msg -
* @param {string} [requestId] - ID
* @returns {Response} 400 Bad Request的响应对象
*/
netTool.badRequest = (msg: string, requestId?: string) =>
Response.json({ code: 400, msg, requestId }, { status: 400 })
@ -201,9 +197,9 @@ netTool.badRequest = (msg: string, requestId?: string) =>
/**
* 404 Not Found的响应对象
*
* @param msg -
* @param requestId - ID
* @returns 404 Not Found的响应对象
* @param {string} msg -
* @param {string} [requestId] - ID
* @returns {Response} 404 Not Found的响应对象
*/
netTool.notFound = (msg: string, requestId?: string) =>
Response.json({ code: 404, msg, requestId }, { status: 404 })
@ -211,10 +207,10 @@ netTool.notFound = (msg: string, requestId?: string) =>
/**
* 500 Internal Server Error的响应对象
*
* @param msg -
* @param data -
* @param requestId - ID
* @returns 500 Internal Server Error的响应对象
* @param {string} msg -
* @param {any} [data] -
* @param {string} [requestId] - ID
* @returns {Response} 500 Internal Server Error的响应对象
*/
netTool.serverError = (msg: string, data?: any, requestId?: string) =>
Response.json({ code: 500, msg, data, requestId }, { status: 500 })
@ -222,9 +218,9 @@ netTool.serverError = (msg: string, data?: any, requestId?: string) =>
/**
* 200 OK的响应对象
*
* @param data -
* @param requestId - ID
* @returns 200 OK的响应对象
* @param {any} [data] -
* @param {string} [requestId] - ID
* @returns {Response} 200 OK的响应对象
*/
netTool.ok = (data?: any, requestId?: string) =>
Response.json({ code: 0, msg: "success", data, requestId })

View File

@ -52,7 +52,14 @@ export namespace DB {
ref: string
}
export interface Notify extends RecordModel, EggMessage.CardVariable {
build_id: string
export type Notify = RecordModel & EggMessage.CardVariable
export interface Monitor extends RecordModel {
project_id: string
pipeline_id: string
stage: string
receiver: string[]
api_key: string
variable: EggMessage.CardVariable
}
}

View File

@ -154,6 +154,12 @@ export namespace Gitlab {
web_url: string
}
/* 任务 */
export interface Job {
status: string
stage: string
}
/* 徽章 */
export interface Badge {
/**

View File

@ -1,12 +1,26 @@
/**
*
* @param {string} url - URL
* @param {string} [prefix] -
* @returns {object}
*/
export const makeCheckPathTool = (url: string, prefix?: string) => {
const { pathname } = new URL(url)
const makePath = (path: string) => `${prefix || ""}${path}`
return {
// 精确匹配
/**
* URL
* @param {string} path -
* @returns {boolean} true false
*/
exactCheck: (path: string) => {
return pathname === makePath(path)
},
// 前缀匹配
/**
* URL
* @param {string} path -
* @returns {boolean} URL true false
*/
startsWithCheck: (path: string) => pathname.startsWith(makePath(path)),
}
}

View File

@ -1,3 +1,12 @@
/**
* 404
* "The requested resource wasn't found." null
*
*
* @template T
* @param {() => Promise<T>} dbFunc -
* @returns {Promise<T | null>} null promise
*/
export const managePb404 = async <T>(
dbFunc: () => Promise<T>
): Promise<T | null> => {

View File

@ -1,7 +1,8 @@
/**
*
* @param a
* @param b
* @param {number} cur -
* @param {number} prev -
* @returns {{ diff: number, percentage: string }}
*/
export const calculatePercentageChange = (cur: number, prev: number) => {
// 计算差值
@ -24,9 +25,10 @@ export const calculatePercentageChange = (cur: number, prev: number) => {
/**
*
* @param cur
* @param prev
* @param needCN
* @param {string | number} cur -
* @param {string | number} prev -
* @param {boolean} [needCN=true] -
* @returns {{ text: string, diff: number, percentage: string }}
*/
export const calculateWeeklyRate = (
cur: string | number,

View File

@ -1,30 +1,36 @@
import moment from "moment"
/**
* like 2024-05
* YYYY-WW
* @returns {string}
*/
export const getWeekTimeWithYear = () => {
export const getWeekTimeWithYear = (): string => {
return moment().format("YYYY-WW")
}
/**
* like 2024-04
* YYYY-WW
* @returns {string}
*/
export const getPrevWeekWithYear = () => {
export const getPrevWeekWithYear = (): string => {
return moment().subtract(1, "weeks").format("YYYY-WW")
}
/**
*
*
* @param {number} sec -
* @returns {string}
*/
export const sec2min = (sec: number) => {
export const sec2min = (sec: number): string => {
return (sec / 60).toFixed(1)
}
/**
* 1m 30s
* Xm Ys
* @param {number} sec -
* @returns {string} Xm Ys
*/
export const sec2minStr = (sec: number) => {
export const sec2minStr = (sec: number): string => {
const min = Math.floor(sec / 60)
const s = sec % 60
return `${min}m ${s}s`