mirror of
https://github.com/NapNeko/NapCatQQ.git
synced 2025-07-19 12:03:37 +00:00
Compare commits
26 Commits
Author | SHA1 | Date | |
---|---|---|---|
![]() |
5c932e5a27 | ||
![]() |
4bd63c6267 | ||
![]() |
aabe24f903 | ||
![]() |
69cebd7fbc | ||
![]() |
8da371176a | ||
![]() |
dd08adf1d1 | ||
![]() |
2f67bef139 | ||
![]() |
8968c51cdc | ||
![]() |
f2fdcc9289 | ||
![]() |
aa3a575cbe | ||
![]() |
11816d038d | ||
![]() |
6a990edb38 | ||
![]() |
fa12865924 | ||
![]() |
ecdd717742 | ||
![]() |
6851334af9 | ||
![]() |
9051b29565 | ||
![]() |
95c7d3dfbd | ||
![]() |
bc1148c00a | ||
![]() |
d4556d9299 | ||
![]() |
5d389a2359 | ||
![]() |
305116874b | ||
![]() |
b08a29897f | ||
![]() |
b59c1d9122 | ||
![]() |
adb9cea701 | ||
![]() |
5e148d2e82 | ||
![]() |
d6848e2855 |
@@ -4,7 +4,7 @@
|
|||||||
"name": "NapCatQQ",
|
"name": "NapCatQQ",
|
||||||
"slug": "NapCat.Framework",
|
"slug": "NapCat.Framework",
|
||||||
"description": "高性能的 OneBot 11 协议实现",
|
"description": "高性能的 OneBot 11 协议实现",
|
||||||
"version": "4.5.7",
|
"version": "4.5.16",
|
||||||
"icon": "./logo.png",
|
"icon": "./logo.png",
|
||||||
"authors": [
|
"authors": [
|
||||||
{
|
{
|
||||||
|
@@ -82,7 +82,7 @@ export default function FileTable({
|
|||||||
setPreviewImages([])
|
setPreviewImages([])
|
||||||
setPreviewIndex(0)
|
setPreviewIndex(0)
|
||||||
setShowImage(false)
|
setShowImage(false)
|
||||||
}, [files])
|
}, [currentPath])
|
||||||
|
|
||||||
const onPreviewImage = (name: string, images: PreviewImage[]) => {
|
const onPreviewImage = (name: string, images: PreviewImage[]) => {
|
||||||
const index = images.findIndex((image) => image.key === name)
|
const index = images.findIndex((image) => image.key === name)
|
||||||
|
@@ -74,6 +74,9 @@ export default function ImageNameButton({
|
|||||||
src={data}
|
src={data}
|
||||||
alt={name}
|
alt={name}
|
||||||
className="w-8 h-8 flex-shrink-0"
|
className="w-8 h-8 flex-shrink-0"
|
||||||
|
classNames={{
|
||||||
|
wrapper: 'w-8 h-8 flex-shrink-0'
|
||||||
|
}}
|
||||||
radius="sm"
|
radius="sm"
|
||||||
/>
|
/>
|
||||||
)
|
)
|
||||||
|
69
napcat.webui/src/components/input/file_input.tsx
Normal file
69
napcat.webui/src/components/input/file_input.tsx
Normal file
@@ -0,0 +1,69 @@
|
|||||||
|
import { Button } from '@heroui/button'
|
||||||
|
import { Input } from '@heroui/input'
|
||||||
|
import { useRef, useState } from 'react'
|
||||||
|
|
||||||
|
export interface FileInputProps {
|
||||||
|
onChange: (file: File) => Promise<void> | void
|
||||||
|
onDelete?: () => Promise<void> | void
|
||||||
|
label?: string
|
||||||
|
accept?: string
|
||||||
|
}
|
||||||
|
|
||||||
|
const FileInput: React.FC<FileInputProps> = ({
|
||||||
|
onChange,
|
||||||
|
onDelete,
|
||||||
|
label,
|
||||||
|
accept
|
||||||
|
}) => {
|
||||||
|
const inputRef = useRef<HTMLInputElement>(null)
|
||||||
|
const [isLoading, setIsLoading] = useState(false)
|
||||||
|
return (
|
||||||
|
<div className="flex items-end gap-2">
|
||||||
|
<div className="flex-grow">
|
||||||
|
<Input
|
||||||
|
isDisabled={isLoading}
|
||||||
|
ref={inputRef}
|
||||||
|
label={label}
|
||||||
|
type="file"
|
||||||
|
placeholder="选择文件"
|
||||||
|
accept={accept}
|
||||||
|
onChange={async (e) => {
|
||||||
|
try {
|
||||||
|
setIsLoading(true)
|
||||||
|
const file = e.target.files?.[0]
|
||||||
|
if (file) {
|
||||||
|
await onChange(file)
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error(error)
|
||||||
|
} finally {
|
||||||
|
setIsLoading(false)
|
||||||
|
if (inputRef.current) inputRef.current.value = ''
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<Button
|
||||||
|
isDisabled={isLoading}
|
||||||
|
onPress={async () => {
|
||||||
|
try {
|
||||||
|
setIsLoading(true)
|
||||||
|
if (onDelete) await onDelete()
|
||||||
|
} catch (error) {
|
||||||
|
console.error(error)
|
||||||
|
} finally {
|
||||||
|
setIsLoading(false)
|
||||||
|
if (inputRef.current) inputRef.current.value = ''
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
color="primary"
|
||||||
|
variant="flat"
|
||||||
|
size="sm"
|
||||||
|
>
|
||||||
|
删除
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default FileInput
|
@@ -196,4 +196,26 @@ export default class FileManager {
|
|||||||
)
|
)
|
||||||
return data.data
|
return data.data
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public static async uploadWebUIFont(file: File) {
|
||||||
|
const formData = new FormData()
|
||||||
|
formData.append('file', file)
|
||||||
|
const { data } = await serverRequest.post<ServerResponse<boolean>>(
|
||||||
|
'/File/font/upload/webui',
|
||||||
|
formData,
|
||||||
|
{
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'multipart/form-data'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
)
|
||||||
|
return data.data
|
||||||
|
}
|
||||||
|
|
||||||
|
public static async deleteWebUIFont() {
|
||||||
|
const { data } = await serverRequest.post<ServerResponse<boolean>>(
|
||||||
|
'/File/font/delete/webui'
|
||||||
|
)
|
||||||
|
return data.data
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@@ -9,14 +9,6 @@ export interface Log {
|
|||||||
message: string
|
message: string
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface TerminalSession {
|
|
||||||
id: string
|
|
||||||
}
|
|
||||||
|
|
||||||
export interface TerminalInfo {
|
|
||||||
id: string
|
|
||||||
}
|
|
||||||
|
|
||||||
export default class WebUIManager {
|
export default class WebUIManager {
|
||||||
public static async checkWebUiLogined() {
|
public static async checkWebUiLogined() {
|
||||||
const { data } =
|
const { data } =
|
||||||
@@ -40,6 +32,13 @@ export default class WebUIManager {
|
|||||||
return data.data
|
return data.data
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public static async checkUsingDefaultToken() {
|
||||||
|
const { data } = await serverRequest.get<ServerResponse<boolean>>(
|
||||||
|
'/auth/check_using_default_token'
|
||||||
|
)
|
||||||
|
return data.data
|
||||||
|
}
|
||||||
|
|
||||||
public static async proxy<T>(url = '') {
|
public static async proxy<T>(url = '') {
|
||||||
const data = await serverRequest.get<ServerResponse<string>>(
|
const data = await serverRequest.get<ServerResponse<string>>(
|
||||||
'/base/proxy?url=' + encodeURIComponent(url)
|
'/base/proxy?url=' + encodeURIComponent(url)
|
||||||
|
@@ -1,6 +1,7 @@
|
|||||||
import { Card, CardBody } from '@heroui/card'
|
import { Card, CardBody } from '@heroui/card'
|
||||||
import { Tab, Tabs } from '@heroui/tabs'
|
import { Tab, Tabs } from '@heroui/tabs'
|
||||||
import { useMediaQuery } from 'react-responsive'
|
import { useMediaQuery } from 'react-responsive'
|
||||||
|
import { useNavigate, useSearchParams } from 'react-router-dom'
|
||||||
|
|
||||||
import ChangePasswordCard from './change_password'
|
import ChangePasswordCard from './change_password'
|
||||||
import OneBotConfigCard from './onebot'
|
import OneBotConfigCard from './onebot'
|
||||||
@@ -22,6 +23,11 @@ const ConfingPageItem: React.FC<ConfigPageProps> = ({ children }) => {
|
|||||||
|
|
||||||
export default function ConfigPage() {
|
export default function ConfigPage() {
|
||||||
const isMediumUp = useMediaQuery({ minWidth: 768 })
|
const isMediumUp = useMediaQuery({ minWidth: 768 })
|
||||||
|
const navigate = useNavigate()
|
||||||
|
const search = useSearchParams({
|
||||||
|
tab: 'onebot'
|
||||||
|
})[0]
|
||||||
|
const tab = search.get('tab') ?? 'onebot'
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<section className="w-[1000px] max-w-full md:mx-auto gap-4 py-8 px-2 md:py-10">
|
<section className="w-[1000px] max-w-full md:mx-auto gap-4 py-8 px-2 md:py-10">
|
||||||
@@ -30,6 +36,10 @@ export default function ConfigPage() {
|
|||||||
fullWidth
|
fullWidth
|
||||||
className="w-full"
|
className="w-full"
|
||||||
isVertical={isMediumUp}
|
isVertical={isMediumUp}
|
||||||
|
selectedKey={tab}
|
||||||
|
onSelectionChange={(key) => {
|
||||||
|
navigate(`/config?tab=${key}`)
|
||||||
|
}}
|
||||||
classNames={{
|
classNames={{
|
||||||
tabList: 'sticky flex top-14 bg-opacity-50 backdrop-blur-sm',
|
tabList: 'sticky flex top-14 bg-opacity-50 backdrop-blur-sm',
|
||||||
panel: 'w-full relative',
|
panel: 'w-full relative',
|
||||||
|
@@ -7,11 +7,13 @@ import toast from 'react-hot-toast'
|
|||||||
import key from '@/const/key'
|
import key from '@/const/key'
|
||||||
|
|
||||||
import SaveButtons from '@/components/button/save_buttons'
|
import SaveButtons from '@/components/button/save_buttons'
|
||||||
|
import FileInput from '@/components/input/file_input'
|
||||||
import ImageInput from '@/components/input/image_input'
|
import ImageInput from '@/components/input/image_input'
|
||||||
|
|
||||||
import useMusic from '@/hooks/use-music'
|
import useMusic from '@/hooks/use-music'
|
||||||
|
|
||||||
import { siteConfig } from '@/config/site'
|
import { siteConfig } from '@/config/site'
|
||||||
|
import FileManager from '@/controllers/file_manager'
|
||||||
|
|
||||||
const WebUIConfigCard = () => {
|
const WebUIConfigCard = () => {
|
||||||
const {
|
const {
|
||||||
@@ -59,17 +61,51 @@ const WebUIConfigCard = () => {
|
|||||||
return (
|
return (
|
||||||
<>
|
<>
|
||||||
<title>WebUI配置 - NapCat WebUI</title>
|
<title>WebUI配置 - NapCat WebUI</title>
|
||||||
<Controller
|
<div className="flex flex-col gap-2">
|
||||||
control={control}
|
<div className="flex-shrink-0 w-full">WebUI字体</div>
|
||||||
name="musicListID"
|
<div className="text-sm text-default-400">
|
||||||
render={({ field }) => (
|
此项不需要手动保存,上传成功后需清空网页缓存并刷新
|
||||||
<Input
|
<FileInput
|
||||||
{...field}
|
label="中文字体"
|
||||||
label="网易云音乐歌单ID(网页内音乐播放器)"
|
onChange={async (file) => {
|
||||||
placeholder="请输入歌单ID"
|
try {
|
||||||
|
await FileManager.uploadWebUIFont(file)
|
||||||
|
toast.success('上传成功')
|
||||||
|
setTimeout(() => {
|
||||||
|
window.location.reload()
|
||||||
|
}, 1000)
|
||||||
|
} catch (error) {
|
||||||
|
toast.error('上传失败: ' + (error as Error).message)
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
onDelete={async () => {
|
||||||
|
try {
|
||||||
|
await FileManager.deleteWebUIFont()
|
||||||
|
toast.success('删除成功')
|
||||||
|
setTimeout(() => {
|
||||||
|
window.location.reload()
|
||||||
|
}, 1000)
|
||||||
|
} catch (error) {
|
||||||
|
toast.error('删除失败: ' + (error as Error).message)
|
||||||
|
}
|
||||||
|
}}
|
||||||
/>
|
/>
|
||||||
)}
|
</div>
|
||||||
/>
|
</div>
|
||||||
|
<div className="flex flex-col gap-2">
|
||||||
|
<div className="flex-shrink-0 w-full">WebUI音乐播放器</div>
|
||||||
|
<Controller
|
||||||
|
control={control}
|
||||||
|
name="musicListID"
|
||||||
|
render={({ field }) => (
|
||||||
|
<Input
|
||||||
|
{...field}
|
||||||
|
label="网易云音乐歌单ID(网页内音乐播放器)"
|
||||||
|
placeholder="请输入歌单ID"
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
<div className="flex flex-col gap-2">
|
<div className="flex flex-col gap-2">
|
||||||
<div className="flex-shrink-0 w-full">背景图</div>
|
<div className="flex-shrink-0 w-full">背景图</div>
|
||||||
<Controller
|
<Controller
|
||||||
|
@@ -1,14 +1,46 @@
|
|||||||
import { Spinner } from '@heroui/spinner'
|
import { Spinner } from '@heroui/spinner'
|
||||||
import { AnimatePresence, motion } from 'motion/react'
|
import { AnimatePresence, motion } from 'motion/react'
|
||||||
import { Suspense } from 'react'
|
import { Suspense, useEffect } from 'react'
|
||||||
import { Outlet, useLocation } from 'react-router-dom'
|
import { Outlet, useLocation, useNavigate } from 'react-router-dom'
|
||||||
|
|
||||||
|
import useAuth from '@/hooks/auth'
|
||||||
|
import useDialog from '@/hooks/use-dialog'
|
||||||
|
|
||||||
|
import WebUIManager from '@/controllers/webui_manager'
|
||||||
import DefaultLayout from '@/layouts/default'
|
import DefaultLayout from '@/layouts/default'
|
||||||
|
|
||||||
|
const CheckDefaultPassword = () => {
|
||||||
|
const { isAuth } = useAuth()
|
||||||
|
const dialog = useDialog()
|
||||||
|
const navigate = useNavigate()
|
||||||
|
const checkDefaultPassword = async () => {
|
||||||
|
const data = await WebUIManager.checkUsingDefaultToken()
|
||||||
|
if (data) {
|
||||||
|
dialog.confirm({
|
||||||
|
title: '修改默认密码',
|
||||||
|
content: '检测到当前密码为默认密码,请尽快修改密码。',
|
||||||
|
confirmText: '前往修改',
|
||||||
|
onConfirm: () => {
|
||||||
|
navigate('/config?tab=token')
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (isAuth) {
|
||||||
|
checkDefaultPassword()
|
||||||
|
}
|
||||||
|
}, [isAuth])
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
export default function IndexPage() {
|
export default function IndexPage() {
|
||||||
const location = useLocation()
|
const location = useLocation()
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<DefaultLayout>
|
<DefaultLayout>
|
||||||
|
<CheckDefaultPassword />
|
||||||
<Suspense
|
<Suspense
|
||||||
fallback={
|
fallback={
|
||||||
<div className="flex justify-center px-10">
|
<div className="flex justify-center px-10">
|
||||||
|
@@ -2,7 +2,7 @@
|
|||||||
"name": "napcat",
|
"name": "napcat",
|
||||||
"private": true,
|
"private": true,
|
||||||
"type": "module",
|
"type": "module",
|
||||||
"version": "4.5.7",
|
"version": "4.5.16",
|
||||||
"scripts": {
|
"scripts": {
|
||||||
"build:universal": "npm run build:webui && vite build --mode universal || exit 1",
|
"build:universal": "npm run build:webui && vite build --mode universal || exit 1",
|
||||||
"build:framework": "npm run build:webui && vite build --mode framework || exit 1",
|
"build:framework": "npm run build:webui && vite build --mode framework || exit 1",
|
||||||
|
@@ -66,7 +66,7 @@ export abstract class ConfigBase<T> {
|
|||||||
|
|
||||||
private handleError(e: unknown, message: string): void {
|
private handleError(e: unknown, message: string): void {
|
||||||
if (e instanceof SyntaxError) {
|
if (e instanceof SyntaxError) {
|
||||||
this.core.context.logger.logError(`[Core] [Config] 操作配置文件格式错误,请检查配置文件:`, e.message);
|
this.core.context.logger.logError('[Core] [Config] 操作配置文件格式错误,请检查配置文件:', e.message);
|
||||||
} else {
|
} else {
|
||||||
this.core.context.logger.logError(`[Core] [Config] ${message}:`, (e as Error).message);
|
this.core.context.logger.logError(`[Core] [Config] ${message}:`, (e as Error).message);
|
||||||
}
|
}
|
||||||
|
@@ -1 +1 @@
|
|||||||
export const napCatVersion = '4.5.7';
|
export const napCatVersion = '4.5.16';
|
||||||
|
@@ -43,7 +43,7 @@ export class NTQQFileApi {
|
|||||||
this.rkeyManager = new RkeyManager([
|
this.rkeyManager = new RkeyManager([
|
||||||
'https://rkey.napneko.icu/rkeys'
|
'https://rkey.napneko.icu/rkeys'
|
||||||
],
|
],
|
||||||
this.context.logger
|
this.context.logger
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -300,18 +300,18 @@ export class NTQQFileApi {
|
|||||||
element.elementType === ElementType.FILE
|
element.elementType === ElementType.FILE
|
||||||
) {
|
) {
|
||||||
switch (element.elementType) {
|
switch (element.elementType) {
|
||||||
case ElementType.PIC:
|
case ElementType.PIC:
|
||||||
element.picElement!.sourcePath = elementResults?.[elementIndex] ?? '';
|
element.picElement!.sourcePath = elementResults?.[elementIndex] ?? '';
|
||||||
break;
|
break;
|
||||||
case ElementType.VIDEO:
|
case ElementType.VIDEO:
|
||||||
element.videoElement!.filePath = elementResults?.[elementIndex] ?? '';
|
element.videoElement!.filePath = elementResults?.[elementIndex] ?? '';
|
||||||
break;
|
break;
|
||||||
case ElementType.PTT:
|
case ElementType.PTT:
|
||||||
element.pttElement!.filePath = elementResults?.[elementIndex] ?? '';
|
element.pttElement!.filePath = elementResults?.[elementIndex] ?? '';
|
||||||
break;
|
break;
|
||||||
case ElementType.FILE:
|
case ElementType.FILE:
|
||||||
element.fileElement!.filePath = elementResults?.[elementIndex] ?? '';
|
element.fileElement!.filePath = elementResults?.[elementIndex] ?? '';
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
elementIndex++;
|
elementIndex++;
|
||||||
}
|
}
|
||||||
@@ -434,9 +434,9 @@ export class NTQQFileApi {
|
|||||||
};
|
};
|
||||||
|
|
||||||
try {
|
try {
|
||||||
if (this.core.apis.PacketApi.available && this.packetRkey?.[0] && this.packetRkey?.[1]) {
|
if (this.core.apis.PacketApi.available) {
|
||||||
const rkey_expired_private = !this.packetRkey || this.packetRkey[0].time + Number(this.packetRkey[0].ttl) < Date.now() / 1000;
|
const rkey_expired_private = !this.packetRkey || (this.packetRkey[0] && this.packetRkey[0].time + Number(this.packetRkey[0].ttl) < Date.now() / 1000);
|
||||||
const rkey_expired_group = !this.packetRkey || this.packetRkey[0].time + Number(this.packetRkey[0].ttl) < Date.now() / 1000;
|
const rkey_expired_group = !this.packetRkey || (this.packetRkey[0] && this.packetRkey[0].time + Number(this.packetRkey[0].ttl) < Date.now() / 1000);
|
||||||
if (rkey_expired_private || rkey_expired_group) {
|
if (rkey_expired_private || rkey_expired_group) {
|
||||||
this.packetRkey = await this.fetchRkeyWithRetry();
|
this.packetRkey = await this.fetchRkeyWithRetry();
|
||||||
}
|
}
|
||||||
|
@@ -11,7 +11,7 @@ export class NodeIKernelSessionListener {
|
|||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
onOpentelemetryInit(args: unknown): any {
|
onOpentelemetryInit(info: { is_init: boolean, is_report: boolean }): any {
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@@ -1,20 +1,22 @@
|
|||||||
import * as crypto from 'crypto';
|
import * as crypto from 'crypto';
|
||||||
import { PacketContext } from '@/core/packet/context/packetContext';
|
import {PacketContext} from '@/core/packet/context/packetContext';
|
||||||
import * as trans from '@/core/packet/transformer';
|
import * as trans from '@/core/packet/transformer';
|
||||||
import { PacketMsg } from '@/core/packet/message/message';
|
import {PacketMsg} from '@/core/packet/message/message';
|
||||||
import {
|
import {
|
||||||
PacketMsgFileElement,
|
PacketMsgFileElement,
|
||||||
PacketMsgPicElement,
|
PacketMsgPicElement,
|
||||||
PacketMsgPttElement,
|
PacketMsgPttElement,
|
||||||
PacketMsgVideoElement
|
PacketMsgVideoElement
|
||||||
} from '@/core/packet/message/element';
|
} from '@/core/packet/message/element';
|
||||||
import { ChatType } from '@/core';
|
import {ChatType, MsgSourceType, NTMsgType, RawMessage} from '@/core';
|
||||||
import { MiniAppRawData, MiniAppReqParams } from '@/core/packet/entities/miniApp';
|
import {MiniAppRawData, MiniAppReqParams} from '@/core/packet/entities/miniApp';
|
||||||
import { AIVoiceChatType } from '@/core/packet/entities/aiChat';
|
import {AIVoiceChatType} from '@/core/packet/entities/aiChat';
|
||||||
import { NapProtoDecodeStructType, NapProtoEncodeStructType } from '@napneko/nap-proto-core';
|
import {NapProtoDecodeStructType, NapProtoEncodeStructType, NapProtoMsg} from '@napneko/nap-proto-core';
|
||||||
import { IndexNode, MsgInfo } from '@/core/packet/transformer/proto';
|
import {IndexNode, LongMsgResult, MsgInfo} from '@/core/packet/transformer/proto';
|
||||||
import { OidbPacket } from '@/core/packet/transformer/base';
|
import {OidbPacket} from '@/core/packet/transformer/base';
|
||||||
import { ImageOcrResult } from '@/core/packet/entities/ocrResult';
|
import {ImageOcrResult} from '@/core/packet/entities/ocrResult';
|
||||||
|
import {gunzipSync} from 'zlib';
|
||||||
|
import {PacketMsgConverter} from '@/core/packet/message/converter';
|
||||||
|
|
||||||
export class PacketOperationContext {
|
export class PacketOperationContext {
|
||||||
private readonly context: PacketContext;
|
private readonly context: PacketContext;
|
||||||
@@ -57,10 +59,10 @@ export class PacketOperationContext {
|
|||||||
const res = trans.GetStrangerInfo.parse(resp);
|
const res = trans.GetStrangerInfo.parse(resp);
|
||||||
const extBigInt = BigInt(res.data.status.value);
|
const extBigInt = BigInt(res.data.status.value);
|
||||||
if (extBigInt <= 10n) {
|
if (extBigInt <= 10n) {
|
||||||
return { status: Number(extBigInt) * 10, ext_status: 0 };
|
return {status: Number(extBigInt) * 10, ext_status: 0};
|
||||||
}
|
}
|
||||||
status = Number((extBigInt & 0xff00n) + ((extBigInt >> 16n) & 0xffn));
|
status = Number((extBigInt & 0xff00n) + ((extBigInt >> 16n) & 0xffn));
|
||||||
return { status: 10, ext_status: status };
|
return {status: 10, ext_status: status};
|
||||||
} catch {
|
} catch {
|
||||||
return undefined;
|
return undefined;
|
||||||
}
|
}
|
||||||
@@ -77,13 +79,13 @@ export class PacketOperationContext {
|
|||||||
const reqList = msg.flatMap(m =>
|
const reqList = msg.flatMap(m =>
|
||||||
m.msg.map(e => {
|
m.msg.map(e => {
|
||||||
if (e instanceof PacketMsgPicElement) {
|
if (e instanceof PacketMsgPicElement) {
|
||||||
return this.context.highway.uploadImage({ chatType, peerUid }, e);
|
return this.context.highway.uploadImage({chatType, peerUid}, e);
|
||||||
} else if (e instanceof PacketMsgVideoElement) {
|
} else if (e instanceof PacketMsgVideoElement) {
|
||||||
return this.context.highway.uploadVideo({ chatType, peerUid }, e);
|
return this.context.highway.uploadVideo({chatType, peerUid}, e);
|
||||||
} else if (e instanceof PacketMsgPttElement) {
|
} else if (e instanceof PacketMsgPttElement) {
|
||||||
return this.context.highway.uploadPtt({ chatType, peerUid }, e);
|
return this.context.highway.uploadPtt({chatType, peerUid}, e);
|
||||||
} else if (e instanceof PacketMsgFileElement) {
|
} else if (e instanceof PacketMsgFileElement) {
|
||||||
return this.context.highway.uploadFile({ chatType, peerUid }, e);
|
return this.context.highway.uploadFile({chatType, peerUid}, e);
|
||||||
}
|
}
|
||||||
return null;
|
return null;
|
||||||
}).filter(Boolean)
|
}).filter(Boolean)
|
||||||
@@ -116,6 +118,13 @@ export class PacketOperationContext {
|
|||||||
return `https://${res.download.info.domain}${res.download.info.urlPath}${res.download.rKeyParam}`;
|
return `https://${res.download.info.domain}${res.download.info.urlPath}${res.download.rKeyParam}`;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async GetGroupImageUrl(groupUin: number, node: NapProtoEncodeStructType<typeof IndexNode>) {
|
||||||
|
const req = trans.DownloadGroupImage.build(groupUin, node);
|
||||||
|
const resp = await this.context.client.sendOidbPacket(req, true);
|
||||||
|
const res = trans.DownloadImage.parse(resp);
|
||||||
|
return `https://${res.download.info.domain}${res.download.info.urlPath}${res.download.rKeyParam}`;
|
||||||
|
}
|
||||||
|
|
||||||
async ImageOCR(imgUrl: string) {
|
async ImageOCR(imgUrl: string) {
|
||||||
const req = trans.ImageOCR.build(imgUrl);
|
const req = trans.ImageOCR.build(imgUrl);
|
||||||
const resp = await this.context.client.sendOidbPacket(req, true);
|
const resp = await this.context.client.sendOidbPacket(req, true);
|
||||||
@@ -195,4 +204,74 @@ export class PacketOperationContext {
|
|||||||
return res.msgInfo;
|
return res.msgInfo;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async FetchForwardMsg(res_id: string): Promise<RawMessage[]> {
|
||||||
|
const req = trans.DownloadForwardMsg.build(this.context.napcore.basicInfo.uid, res_id);
|
||||||
|
const resp = await this.context.client.sendOidbPacket(req, true);
|
||||||
|
const res = trans.DownloadForwardMsg.parse(resp);
|
||||||
|
const inflate = gunzipSync(res.result.payload);
|
||||||
|
const result = new NapProtoMsg(LongMsgResult).decode(inflate);
|
||||||
|
|
||||||
|
const main = result.action.find((r) => r.actionCommand === 'MultiMsg');
|
||||||
|
if (!main?.actionData.msgBody) {
|
||||||
|
throw new Error('msgBody is empty');
|
||||||
|
}
|
||||||
|
|
||||||
|
const messagesPromises = main.actionData.msgBody.map(async (msg) => {
|
||||||
|
if (!msg?.body?.richText?.elems) {
|
||||||
|
throw new Error('msg.body.richText.elems is empty');
|
||||||
|
}
|
||||||
|
const rawChains = new PacketMsgConverter().packetMsgToRaw(msg?.body?.richText?.elems);
|
||||||
|
const elements = await Promise.all(
|
||||||
|
rawChains.map(async ([element, rawElem]) => {
|
||||||
|
if (element.picElement && rawElem?.commonElem?.pbElem) {
|
||||||
|
const extra = new NapProtoMsg(MsgInfo).decode(rawElem.commonElem.pbElem);
|
||||||
|
const index = extra?.msgInfoBody[0]?.index;
|
||||||
|
if (msg?.responseHead.grp !== undefined) {
|
||||||
|
const groupUin = msg?.responseHead.grp?.groupUin ?? 0;
|
||||||
|
element.picElement = {
|
||||||
|
...element.picElement,
|
||||||
|
originImageUrl: await this.GetGroupImageUrl(groupUin, index!)
|
||||||
|
};
|
||||||
|
} else {
|
||||||
|
element.picElement = {
|
||||||
|
...element.picElement,
|
||||||
|
originImageUrl: await this.GetImageUrl(this.context.napcore.basicInfo.uid, index!)
|
||||||
|
};
|
||||||
|
}
|
||||||
|
return element;
|
||||||
|
}
|
||||||
|
return element;
|
||||||
|
})
|
||||||
|
);
|
||||||
|
return {
|
||||||
|
chatType: ChatType.KCHATTYPEGROUP,
|
||||||
|
elements: elements,
|
||||||
|
guildId: '',
|
||||||
|
isOnlineMsg: false,
|
||||||
|
msgId: '7467703692092974645', // TODO: no necessary
|
||||||
|
msgRandom: '0',
|
||||||
|
msgSeq: String(msg.contentHead.sequence ?? 0),
|
||||||
|
msgTime: String(msg.contentHead.timeStamp ?? 0),
|
||||||
|
msgType: NTMsgType.KMSGTYPEMIX,
|
||||||
|
parentMsgIdList: [],
|
||||||
|
parentMsgPeer: {
|
||||||
|
chatType: ChatType.KCHATTYPEGROUP,
|
||||||
|
peerUid: String(msg?.responseHead.grp?.groupUin ?? 0),
|
||||||
|
},
|
||||||
|
peerName: '',
|
||||||
|
peerUid: '1094950020',
|
||||||
|
peerUin: '1094950020',
|
||||||
|
recallTime: '0',
|
||||||
|
records: [],
|
||||||
|
sendNickName: msg?.responseHead.grp?.memberName ?? '',
|
||||||
|
sendRemarkName: msg?.responseHead.grp?.memberName ?? '',
|
||||||
|
senderUid: '',
|
||||||
|
senderUin: '1094950020',
|
||||||
|
sourceType: MsgSourceType.K_DOWN_SOURCETYPE_UNKNOWN,
|
||||||
|
subMsgType: 1,
|
||||||
|
};
|
||||||
|
});
|
||||||
|
return await Promise.all(messagesPromises);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@@ -1,8 +1,8 @@
|
|||||||
import {
|
import {
|
||||||
Peer,
|
|
||||||
ChatType,
|
ChatType,
|
||||||
ElementType,
|
ElementType,
|
||||||
MessageElement,
|
MessageElement,
|
||||||
|
Peer,
|
||||||
RawMessage,
|
RawMessage,
|
||||||
SendArkElement,
|
SendArkElement,
|
||||||
SendFaceElement,
|
SendFaceElement,
|
||||||
@@ -31,7 +31,9 @@ import {
|
|||||||
PacketMsgVideoElement,
|
PacketMsgVideoElement,
|
||||||
PacketMultiMsgElement
|
PacketMultiMsgElement
|
||||||
} from '@/core/packet/message/element';
|
} from '@/core/packet/message/element';
|
||||||
import { PacketMsg, PacketSendMsgElement } from '@/core/packet/message/message';
|
import {PacketMsg, PacketSendMsgElement} from '@/core/packet/message/message';
|
||||||
|
import {NapProtoDecodeStructType} from '@napneko/nap-proto-core';
|
||||||
|
import {Elem} from '@/core/packet/transformer/proto';
|
||||||
|
|
||||||
const SupportedElementTypes = [
|
const SupportedElementTypes = [
|
||||||
ElementType.TEXT,
|
ElementType.TEXT,
|
||||||
@@ -154,4 +156,16 @@ export class PacketMsgConverter {
|
|||||||
}).filter((e) => e !== null)
|
}).filter((e) => e !== null)
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
|
packetMsgToRaw(msg: NapProtoDecodeStructType<typeof Elem>[]): [MessageElement, NapProtoDecodeStructType<typeof Elem> | null][] {
|
||||||
|
const converters = [PacketMsgTextElement.parseElement,
|
||||||
|
PacketMsgAtElement.parseElement, PacketMsgReplyElement.parseElement, PacketMsgPicElement.parseElement];
|
||||||
|
return msg.map((element) => {
|
||||||
|
for (const converter of converters) {
|
||||||
|
const result = converter(element);
|
||||||
|
if (result) return result;
|
||||||
|
}
|
||||||
|
return null;
|
||||||
|
}).filter((e) => e !== null);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@@ -1,20 +1,22 @@
|
|||||||
import * as zlib from 'node:zlib';
|
import * as zlib from 'node:zlib';
|
||||||
import { NapProtoEncodeStructType, NapProtoMsg } from '@napneko/nap-proto-core';
|
import {NapProtoDecodeStructType, NapProtoEncodeStructType, NapProtoMsg} from '@napneko/nap-proto-core';
|
||||||
import {
|
import {
|
||||||
CustomFace,
|
CustomFace,
|
||||||
Elem,
|
Elem,
|
||||||
|
FileExtra,
|
||||||
|
GroupFileExtra,
|
||||||
MarkdownData,
|
MarkdownData,
|
||||||
MentionExtra,
|
MentionExtra,
|
||||||
|
MsgInfo,
|
||||||
NotOnlineImage,
|
NotOnlineImage,
|
||||||
|
OidbSvcTrpcTcp0XE37_800Response,
|
||||||
QBigFaceExtra,
|
QBigFaceExtra,
|
||||||
QSmallFaceExtra,
|
QSmallFaceExtra,
|
||||||
MsgInfo,
|
|
||||||
OidbSvcTrpcTcp0XE37_800Response,
|
|
||||||
FileExtra,
|
|
||||||
GroupFileExtra
|
|
||||||
} from '@/core/packet/transformer/proto';
|
} from '@/core/packet/transformer/proto';
|
||||||
import {
|
import {
|
||||||
|
ElementType,
|
||||||
FaceType,
|
FaceType,
|
||||||
|
MessageElement,
|
||||||
NTMsgAtType,
|
NTMsgAtType,
|
||||||
PicType,
|
PicType,
|
||||||
SendArkElement,
|
SendArkElement,
|
||||||
@@ -29,8 +31,11 @@ import {
|
|||||||
SendTextElement,
|
SendTextElement,
|
||||||
SendVideoElement
|
SendVideoElement
|
||||||
} from '@/core';
|
} from '@/core';
|
||||||
import { ForwardMsgBuilder } from '@/common/forward-msg-builder';
|
import {ForwardMsgBuilder} from '@/common/forward-msg-builder';
|
||||||
import { PacketMsg, PacketSendMsgElement } from '@/core/packet/message/message';
|
import {PacketMsg, PacketSendMsgElement} from '@/core/packet/message/message';
|
||||||
|
|
||||||
|
export type ParseElementFnR = [MessageElement, NapProtoDecodeStructType<typeof Elem> | null] | undefined;
|
||||||
|
type ParseElementFn = (elem: NapProtoDecodeStructType<typeof Elem>) => ParseElementFnR;
|
||||||
|
|
||||||
// raw <-> packet
|
// raw <-> packet
|
||||||
// TODO: SendStructLongMsgElement
|
// TODO: SendStructLongMsgElement
|
||||||
@@ -51,6 +56,8 @@ export abstract class IPacketMsgElement<T extends PacketSendMsgElement> {
|
|||||||
return [];
|
return [];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
static parseElement: ParseElementFn;
|
||||||
|
|
||||||
toPreview(): string {
|
toPreview(): string {
|
||||||
return '[暂不支持该消息类型喵~]';
|
return '[暂不支持该消息类型喵~]';
|
||||||
}
|
}
|
||||||
@@ -72,11 +79,30 @@ export class PacketMsgTextElement extends IPacketMsgElement<SendTextElement> {
|
|||||||
}];
|
}];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
static override parseElement = (elem: NapProtoDecodeStructType<typeof Elem>): ParseElementFnR => {
|
||||||
|
if (elem.text?.str && (elem.text?.attr6Buf === undefined || elem.text?.attr6Buf?.length === 0)) {
|
||||||
|
return [{
|
||||||
|
textElement: {
|
||||||
|
content: elem.text?.str,
|
||||||
|
atType: NTMsgAtType.ATTYPEUNKNOWN,
|
||||||
|
atUid: '',
|
||||||
|
atTinyId: '',
|
||||||
|
atNtUid: '',
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, null];
|
||||||
|
}
|
||||||
|
return undefined;
|
||||||
|
};
|
||||||
|
|
||||||
override toPreview(): string {
|
override toPreview(): string {
|
||||||
return this.text;
|
return this.text;
|
||||||
}
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
export class PacketMsgAtElement extends PacketMsgTextElement {
|
export class PacketMsgAtElement extends PacketMsgTextElement {
|
||||||
targetUid: string;
|
targetUid: string;
|
||||||
atAll: boolean;
|
atAll: boolean;
|
||||||
@@ -101,6 +127,22 @@ export class PacketMsgAtElement extends PacketMsgTextElement {
|
|||||||
}
|
}
|
||||||
}];
|
}];
|
||||||
}
|
}
|
||||||
|
static override parseElement = (elem: NapProtoDecodeStructType<typeof Elem>): ParseElementFnR => {
|
||||||
|
if (elem.text?.str && (elem.text?.attr6Buf?.length ?? 100) >= 11) {
|
||||||
|
return [{
|
||||||
|
textElement: {
|
||||||
|
content: elem.text?.str,
|
||||||
|
atType: NTMsgAtType.ATTYPEONE,
|
||||||
|
atUid: String(Buffer.from(elem.text!.attr6Buf!).readUInt32BE(7)), // FIXME: hack
|
||||||
|
atTinyId: '',
|
||||||
|
atNtUid: '',
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, null];
|
||||||
|
}
|
||||||
|
return undefined;
|
||||||
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
export class PacketMsgReplyElement extends IPacketMsgElement<SendReplyElement> {
|
export class PacketMsgReplyElement extends IPacketMsgElement<SendReplyElement> {
|
||||||
@@ -143,6 +185,22 @@ export class PacketMsgReplyElement extends IPacketMsgElement<SendReplyElement> {
|
|||||||
}];
|
}];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
static override parseElement = (elem: NapProtoDecodeStructType<typeof Elem>): ParseElementFnR => {
|
||||||
|
if (elem.srcMsg && elem.srcMsg.pbReserve) {
|
||||||
|
const reserve = elem.srcMsg.pbReserve;
|
||||||
|
return [{
|
||||||
|
replyElement: {
|
||||||
|
replayMsgSeq: String(reserve.friendSeq ?? elem.srcMsg?.origSeqs?.[0] ?? 0),
|
||||||
|
replayMsgId: String(reserve.messageId ?? 0),
|
||||||
|
senderUin: String(elem?.srcMsg ?? 0)
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, null];
|
||||||
|
}
|
||||||
|
return undefined;
|
||||||
|
};
|
||||||
|
|
||||||
override toPreview(): string {
|
override toPreview(): string {
|
||||||
return '[回复消息]';
|
return '[回复消息]';
|
||||||
}
|
}
|
||||||
@@ -198,6 +256,46 @@ export class PacketMsgFaceElement extends IPacketMsgElement<SendFaceElement> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
static override parseElement = (elem: NapProtoDecodeStructType<typeof Elem>): ParseElementFnR => {
|
||||||
|
if (elem.face?.index) {
|
||||||
|
return [{
|
||||||
|
faceElement: {
|
||||||
|
faceIndex: elem.face.index,
|
||||||
|
faceType: FaceType.Normal
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, null];
|
||||||
|
}
|
||||||
|
if (elem?.commonElem?.serviceType === 37 && elem?.commonElem?.pbElem) {
|
||||||
|
const qface = new NapProtoMsg(QBigFaceExtra).decode(elem?.commonElem?.pbElem);
|
||||||
|
if (qface?.faceId) {
|
||||||
|
return [{
|
||||||
|
faceElement: {
|
||||||
|
faceIndex: qface.faceId,
|
||||||
|
faceType: FaceType.Normal
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, null];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (elem?.commonElem?.serviceType === 33 && elem?.commonElem?.pbElem) {
|
||||||
|
const qface = new NapProtoMsg(QSmallFaceExtra).decode(elem?.commonElem?.pbElem);
|
||||||
|
if (qface?.faceId) {
|
||||||
|
return [{
|
||||||
|
faceElement: {
|
||||||
|
faceIndex: qface.faceId,
|
||||||
|
faceType: FaceType.Normal
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, null];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return undefined;
|
||||||
|
};
|
||||||
|
|
||||||
override toPreview(): string {
|
override toPreview(): string {
|
||||||
return '[表情]';
|
return '[表情]';
|
||||||
}
|
}
|
||||||
@@ -286,6 +384,60 @@ export class PacketMsgPicElement extends IPacketMsgElement<SendPicElement> {
|
|||||||
}];
|
}];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
static override parseElement = (elem: NapProtoDecodeStructType<typeof Elem>): ParseElementFnR => {
|
||||||
|
if (elem?.commonElem?.serviceType === 48 || [10, 20].includes(elem?.commonElem?.businessType ?? 0)) {
|
||||||
|
const extra = new NapProtoMsg(MsgInfo).decode(elem.commonElem!.pbElem!);
|
||||||
|
const msgInfoBody = extra.msgInfoBody[0];
|
||||||
|
const index = msgInfoBody?.index;
|
||||||
|
return [{
|
||||||
|
picElement: {
|
||||||
|
fileSize: index?.info.fileSize ?? 0,
|
||||||
|
picWidth: index?.info?.width ?? 0,
|
||||||
|
picHeight: index?.info?.height ?? 0,
|
||||||
|
fileName: index?.info?.fileHash ?? '',
|
||||||
|
sourcePath: '',
|
||||||
|
original: false,
|
||||||
|
picType: PicType.NEWPIC_APNG,
|
||||||
|
fileUuid: '',
|
||||||
|
fileSubId: '',
|
||||||
|
thumbFileSize: 0,
|
||||||
|
summary: '[图片]',
|
||||||
|
thumbPath: new Map(),
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
}, elem];
|
||||||
|
}
|
||||||
|
if (elem?.notOnlineImage) {
|
||||||
|
const img = elem?.notOnlineImage; // url in originImageUrl
|
||||||
|
const preImg: MessageElement = {
|
||||||
|
picElement: {
|
||||||
|
fileSize: img.fileLen ?? 0,
|
||||||
|
picWidth: img.picWidth ?? 0,
|
||||||
|
picHeight: img.picHeight ?? 0,
|
||||||
|
fileName: Buffer.from(img.picMd5!).toString('hex') ?? '',
|
||||||
|
sourcePath: '',
|
||||||
|
original: false,
|
||||||
|
picType: PicType.NEWPIC_APNG,
|
||||||
|
fileUuid: '',
|
||||||
|
fileSubId: '',
|
||||||
|
thumbFileSize: 0,
|
||||||
|
summary: '[图片]',
|
||||||
|
thumbPath: new Map(),
|
||||||
|
},
|
||||||
|
elementType: ElementType.UNKNOWN,
|
||||||
|
elementId: '',
|
||||||
|
};
|
||||||
|
if (img.origUrl?.includes('&fileid=')) {
|
||||||
|
preImg.picElement!.originImageUrl = `https://multimedia.nt.qq.com.cn${img.origUrl}`;
|
||||||
|
} else {
|
||||||
|
preImg.picElement!.originImageUrl = `https://gchat.qpic.cn${img.origUrl}`;
|
||||||
|
}
|
||||||
|
return [preImg, elem];
|
||||||
|
}
|
||||||
|
return undefined;
|
||||||
|
};
|
||||||
|
|
||||||
override toPreview(): string {
|
override toPreview(): string {
|
||||||
return this.summary;
|
return this.summary;
|
||||||
}
|
}
|
||||||
|
50
src/core/packet/transformer/highway/DownloadGroupImage.ts
Normal file
50
src/core/packet/transformer/highway/DownloadGroupImage.ts
Normal file
@@ -0,0 +1,50 @@
|
|||||||
|
import * as proto from '@/core/packet/transformer/proto';
|
||||||
|
import { NapProtoEncodeStructType, NapProtoMsg } from '@napneko/nap-proto-core';
|
||||||
|
import { OidbPacket, PacketTransformer } from '@/core/packet/transformer/base';
|
||||||
|
import OidbBase from '@/core/packet/transformer/oidb/oidbBase';
|
||||||
|
import { IndexNode } from '@/core/packet/transformer/proto';
|
||||||
|
|
||||||
|
class DownloadGroupImage extends PacketTransformer<typeof proto.NTV2RichMediaResp> {
|
||||||
|
constructor() {
|
||||||
|
super();
|
||||||
|
}
|
||||||
|
|
||||||
|
build(group_uin: number, node: NapProtoEncodeStructType<typeof IndexNode>): OidbPacket {
|
||||||
|
const body = new NapProtoMsg(proto.NTV2RichMediaReq).encode({
|
||||||
|
reqHead: {
|
||||||
|
common: {
|
||||||
|
requestId: 1,
|
||||||
|
command: 200
|
||||||
|
},
|
||||||
|
scene: {
|
||||||
|
requestType: 2,
|
||||||
|
businessType: 1,
|
||||||
|
sceneType: 2,
|
||||||
|
group: {
|
||||||
|
groupUin: group_uin
|
||||||
|
}
|
||||||
|
},
|
||||||
|
client: {
|
||||||
|
agentType: 2,
|
||||||
|
}
|
||||||
|
},
|
||||||
|
download: {
|
||||||
|
node: node,
|
||||||
|
download: {
|
||||||
|
video: {
|
||||||
|
busiType: 0,
|
||||||
|
sceneType: 0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
return OidbBase.build(0x11C4, 200, body, true, false);
|
||||||
|
}
|
||||||
|
|
||||||
|
parse(data: Buffer) {
|
||||||
|
const oidbBody = OidbBase.parse(data).body;
|
||||||
|
return new NapProtoMsg(proto.NTV2RichMediaResp).decode(oidbBody);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default new DownloadGroupImage();
|
@@ -14,7 +14,7 @@ class DownloadImage extends PacketTransformer<typeof proto.NTV2RichMediaResp> {
|
|||||||
reqHead: {
|
reqHead: {
|
||||||
common: {
|
common: {
|
||||||
requestId: 1,
|
requestId: 1,
|
||||||
command: 100
|
command: 200
|
||||||
},
|
},
|
||||||
scene: {
|
scene: {
|
||||||
requestType: 2,
|
requestType: 2,
|
||||||
|
@@ -12,3 +12,4 @@ export { default as UploadPrivateImage } from './UploadPrivateImage';
|
|||||||
export { default as UploadPrivatePtt } from './UploadPrivatePtt';
|
export { default as UploadPrivatePtt } from './UploadPrivatePtt';
|
||||||
export { default as UploadPrivateVideo } from './UploadPrivateVideo';
|
export { default as UploadPrivateVideo } from './UploadPrivateVideo';
|
||||||
export { default as DownloadImage } from './DownloadImage';
|
export { default as DownloadImage } from './DownloadImage';
|
||||||
|
export { default as DownloadGroupImage } from './DownloadGroupImage';
|
||||||
|
37
src/core/packet/transformer/message/DownloadForwardMsg.ts
Normal file
37
src/core/packet/transformer/message/DownloadForwardMsg.ts
Normal file
@@ -0,0 +1,37 @@
|
|||||||
|
import * as proto from '@/core/packet/transformer/proto';
|
||||||
|
import { NapProtoMsg } from '@napneko/nap-proto-core';
|
||||||
|
import { OidbPacket, PacketHexStrBuilder, PacketTransformer } from '@/core/packet/transformer/base';
|
||||||
|
|
||||||
|
class DownloadForwardMsg extends PacketTransformer<typeof proto.RecvLongMsgResp> {
|
||||||
|
constructor() {
|
||||||
|
super();
|
||||||
|
}
|
||||||
|
|
||||||
|
build(uid: string, resId: string): OidbPacket {
|
||||||
|
const req = new NapProtoMsg(proto.RecvLongMsgReq).encode({
|
||||||
|
info: {
|
||||||
|
uid: {
|
||||||
|
uid: uid
|
||||||
|
},
|
||||||
|
resId: resId,
|
||||||
|
acquire: true
|
||||||
|
},
|
||||||
|
settings: {
|
||||||
|
field1: 2,
|
||||||
|
field2: 0,
|
||||||
|
field3: 0,
|
||||||
|
field4: 0
|
||||||
|
}
|
||||||
|
});
|
||||||
|
return {
|
||||||
|
cmd: 'trpc.group.long_msg_interface.MsgService.SsoRecvLongMsg',
|
||||||
|
data: PacketHexStrBuilder(req)
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
parse(data: Buffer) {
|
||||||
|
return new NapProtoMsg(proto.RecvLongMsgResp).decode(data);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default new DownloadForwardMsg();
|
@@ -13,12 +13,12 @@ class UploadForwardMsg extends PacketTransformer<typeof proto.SendLongMsgResp> {
|
|||||||
const msgBody = this.msgBuilder.buildFakeMsg(selfUid, msg);
|
const msgBody = this.msgBuilder.buildFakeMsg(selfUid, msg);
|
||||||
const longMsgResultData = new NapProtoMsg(proto.LongMsgResult).encode(
|
const longMsgResultData = new NapProtoMsg(proto.LongMsgResult).encode(
|
||||||
{
|
{
|
||||||
action: {
|
action: [{
|
||||||
actionCommand: 'MultiMsg',
|
actionCommand: 'MultiMsg',
|
||||||
actionData: {
|
actionData: {
|
||||||
msgBody: msgBody
|
msgBody: msgBody
|
||||||
}
|
}
|
||||||
}
|
}]
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
const payload = zlib.gzipSync(Buffer.from(longMsgResultData));
|
const payload = zlib.gzipSync(Buffer.from(longMsgResultData));
|
||||||
|
@@ -1 +1,2 @@
|
|||||||
export { default as UploadForwardMsg } from './UploadForwardMsg';
|
export { default as UploadForwardMsg } from './UploadForwardMsg';
|
||||||
|
export { default as DownloadForwardMsg } from './DownloadForwardMsg';
|
@@ -2,7 +2,7 @@ import { ProtoField, ScalarType } from '@napneko/nap-proto-core';
|
|||||||
import { PushMsgBody } from '@/core/packet/transformer/proto';
|
import { PushMsgBody } from '@/core/packet/transformer/proto';
|
||||||
|
|
||||||
export const LongMsgResult = {
|
export const LongMsgResult = {
|
||||||
action: ProtoField(2, () => LongMsgAction)
|
action: ProtoField(2, () => LongMsgAction, false, true)
|
||||||
};
|
};
|
||||||
|
|
||||||
export const LongMsgAction = {
|
export const LongMsgAction = {
|
||||||
|
@@ -1,5 +1,9 @@
|
|||||||
import { GeneralCallResult } from './common';
|
import { GeneralCallResult } from './common';
|
||||||
|
enum ProxyType {
|
||||||
|
CLOSE = 0,
|
||||||
|
HTTP = 1,
|
||||||
|
SOCKET = 2
|
||||||
|
}
|
||||||
export interface NodeIKernelMSFService {
|
export interface NodeIKernelMSFService {
|
||||||
getServerTime(): string;
|
getServerTime(): string;
|
||||||
setNetworkProxy(param: {
|
setNetworkProxy(param: {
|
||||||
@@ -7,10 +11,19 @@ export interface NodeIKernelMSFService {
|
|||||||
userPwd: string,
|
userPwd: string,
|
||||||
address: string,
|
address: string,
|
||||||
port: number,
|
port: number,
|
||||||
proxyType: number,
|
proxyType: ProxyType,
|
||||||
domain: string,
|
domain: string,
|
||||||
isSocket: boolean
|
isSocket: boolean
|
||||||
}): Promise<GeneralCallResult>;
|
}): Promise<GeneralCallResult>;
|
||||||
|
getNetworkProxy(): Promise<{
|
||||||
|
userName: string,
|
||||||
|
userPwd: string,
|
||||||
|
address: string,
|
||||||
|
port: number,
|
||||||
|
proxyType: ProxyType,
|
||||||
|
domain: string,
|
||||||
|
isSocket: boolean
|
||||||
|
}>;
|
||||||
//http
|
//http
|
||||||
// userName: '',
|
// userName: '',
|
||||||
// userPwd: '',
|
// userPwd: '',
|
||||||
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
@@ -3,6 +3,7 @@ import { OB11Message, OB11MessageData, OB11MessageDataType, OB11MessageForward,
|
|||||||
import { ActionName } from '@/onebot/action/router';
|
import { ActionName } from '@/onebot/action/router';
|
||||||
import { MessageUnique } from '@/common/message-unique';
|
import { MessageUnique } from '@/common/message-unique';
|
||||||
import { Static, Type } from '@sinclair/typebox';
|
import { Static, Type } from '@sinclair/typebox';
|
||||||
|
import { ChatType, ElementType, MsgSourceType, NTMsgType, RawMessage } from '@/core';
|
||||||
|
|
||||||
const SchemaData = Type.Object({
|
const SchemaData = Type.Object({
|
||||||
message_id: Type.Optional(Type.Union([Type.Number(), Type.String()])),
|
message_id: Type.Optional(Type.Union([Type.Number(), Type.String()])),
|
||||||
@@ -57,24 +58,72 @@ export class GoCQHTTPGetForwardMsgAction extends OneBotAction<Payload, {
|
|||||||
throw new Error('message_id is required');
|
throw new Error('message_id is required');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const fakeForwardMsg = (res_id: string) => {
|
||||||
|
return {
|
||||||
|
chatType: ChatType.KCHATTYPEGROUP,
|
||||||
|
elements: [{
|
||||||
|
elementType: ElementType.MULTIFORWARD,
|
||||||
|
elementId: '',
|
||||||
|
multiForwardMsgElement: {
|
||||||
|
resId: res_id,
|
||||||
|
fileName: '',
|
||||||
|
xmlContent: '',
|
||||||
|
}
|
||||||
|
}],
|
||||||
|
guildId: '',
|
||||||
|
isOnlineMsg: false,
|
||||||
|
msgId: '', // TODO: no necessary
|
||||||
|
msgRandom: '0',
|
||||||
|
msgSeq: '',
|
||||||
|
msgTime: '',
|
||||||
|
msgType: NTMsgType.KMSGTYPEMIX,
|
||||||
|
parentMsgIdList: [],
|
||||||
|
parentMsgPeer: {
|
||||||
|
chatType: ChatType.KCHATTYPEGROUP,
|
||||||
|
peerUid: '',
|
||||||
|
},
|
||||||
|
peerName: '',
|
||||||
|
peerUid: '284840486',
|
||||||
|
peerUin: '284840486',
|
||||||
|
recallTime: '0',
|
||||||
|
records: [],
|
||||||
|
sendNickName: '',
|
||||||
|
sendRemarkName: '',
|
||||||
|
senderUid: '',
|
||||||
|
senderUin: '1094950020',
|
||||||
|
sourceType: MsgSourceType.K_DOWN_SOURCETYPE_UNKNOWN,
|
||||||
|
subMsgType: 1,
|
||||||
|
} as RawMessage;
|
||||||
|
};
|
||||||
|
|
||||||
|
const protocolFallbackLogic = async (res_id: string) => {
|
||||||
|
const ob = (await this.obContext.apis.MsgApi.parseMessageV2(fakeForwardMsg(res_id)))?.arrayMsg;
|
||||||
|
if (ob) {
|
||||||
|
return {
|
||||||
|
messages: (ob?.message?.[0] as OB11MessageForward)?.data?.content
|
||||||
|
};
|
||||||
|
}
|
||||||
|
throw new Error('protocolFallbackLogic: 找不到相关的聊天记录');
|
||||||
|
};
|
||||||
|
|
||||||
const rootMsgId = MessageUnique.getShortIdByMsgId(msgId.toString());
|
const rootMsgId = MessageUnique.getShortIdByMsgId(msgId.toString());
|
||||||
const rootMsg = MessageUnique.getMsgIdAndPeerByShortId(rootMsgId ?? +msgId);
|
const rootMsg = MessageUnique.getMsgIdAndPeerByShortId(rootMsgId ?? +msgId);
|
||||||
if (!rootMsg) {
|
if (!rootMsg) {
|
||||||
throw new Error('msg not found');
|
return await protocolFallbackLogic(msgId.toString());
|
||||||
}
|
}
|
||||||
const data = await this.core.apis.MsgApi.getMsgsByMsgId(rootMsg.Peer, [rootMsg.MsgId]);
|
const data = await this.core.apis.MsgApi.getMsgsByMsgId(rootMsg.Peer, [rootMsg.MsgId]);
|
||||||
|
|
||||||
if (!data || data.result !== 0) {
|
if (!data || data.result !== 0) {
|
||||||
throw new Error('找不到相关的聊天记录' + data?.errMsg);
|
return await protocolFallbackLogic(msgId.toString());
|
||||||
}
|
}
|
||||||
|
|
||||||
const singleMsg = data.msgList[0];
|
const singleMsg = data.msgList[0];
|
||||||
if (!singleMsg) {
|
if (!singleMsg) {
|
||||||
throw new Error('找不到相关的聊天记录');
|
return await protocolFallbackLogic(msgId.toString());
|
||||||
}
|
}
|
||||||
const resMsg = (await this.obContext.apis.MsgApi.parseMessageV2(singleMsg))?.arrayMsg;//强制array 以便处理
|
const resMsg = (await this.obContext.apis.MsgApi.parseMessageV2(singleMsg))?.arrayMsg;//强制array 以便处理
|
||||||
if (!(resMsg?.message?.[0] as OB11MessageForward)?.data?.content) {
|
if (!(resMsg?.message?.[0] as OB11MessageForward)?.data?.content) {
|
||||||
throw new Error('找不到相关的聊天记录');
|
return await protocolFallbackLogic(msgId.toString());
|
||||||
}
|
}
|
||||||
return {
|
return {
|
||||||
messages: (resMsg?.message?.[0] as OB11MessageForward)?.data?.content
|
messages: (resMsg?.message?.[0] as OB11MessageForward)?.data?.content
|
||||||
|
@@ -1,41 +1,50 @@
|
|||||||
import { FileNapCatOneBotUUID } from '@/common/file-uuid';
|
import {FileNapCatOneBotUUID} from '@/common/file-uuid';
|
||||||
import { MessageUnique } from '@/common/message-unique';
|
import {MessageUnique} from '@/common/message-unique';
|
||||||
import {
|
import {
|
||||||
NTMsgAtType,
|
|
||||||
ChatType,
|
ChatType,
|
||||||
CustomMusicSignPostData,
|
CustomMusicSignPostData,
|
||||||
ElementType,
|
ElementType,
|
||||||
FaceIndex,
|
FaceIndex,
|
||||||
|
FaceType,
|
||||||
|
GrayTipElement,
|
||||||
|
GroupNotify,
|
||||||
IdMusicSignPostData,
|
IdMusicSignPostData,
|
||||||
MessageElement,
|
MessageElement,
|
||||||
NapCatCore,
|
NapCatCore,
|
||||||
NTGrayTipElementSubTypeV2,
|
NTGrayTipElementSubTypeV2,
|
||||||
|
NTMsgAtType,
|
||||||
Peer,
|
Peer,
|
||||||
RawMessage,
|
RawMessage,
|
||||||
SendMessageElement,
|
SendMessageElement,
|
||||||
SendTextElement,
|
SendTextElement,
|
||||||
FaceType,
|
|
||||||
GrayTipElement,
|
|
||||||
GroupNotify,
|
|
||||||
} from '@/core';
|
} from '@/core';
|
||||||
import faceConfig from '@/core/external/face_config.json';
|
import faceConfig from '@/core/external/face_config.json';
|
||||||
import { NapCatOneBot11Adapter, OB11Message, OB11MessageData, OB11MessageDataType, OB11MessageFileBase, OB11MessageForward, OB11MessageImage, OB11MessageVideo, } from '@/onebot';
|
import {
|
||||||
import { OB11Construct } from '@/onebot/helper/data';
|
NapCatOneBot11Adapter,
|
||||||
import { EventType } from '@/onebot/event/OneBotEvent';
|
OB11Message,
|
||||||
import { encodeCQCode } from '@/onebot/helper/cqcode';
|
OB11MessageData,
|
||||||
import { uriToLocalFile } from '@/common/file';
|
OB11MessageDataType,
|
||||||
import { RequestUtil } from '@/common/request';
|
OB11MessageFileBase,
|
||||||
import fsPromise, { constants } from 'node:fs/promises';
|
OB11MessageForward,
|
||||||
import { OB11FriendAddNoticeEvent } from '@/onebot/event/notice/OB11FriendAddNoticeEvent';
|
OB11MessageImage,
|
||||||
import { ForwardMsgBuilder } from '@/common/forward-msg-builder';
|
OB11MessageVideo,
|
||||||
import { NapProtoMsg } from '@napneko/nap-proto-core';
|
} from '@/onebot';
|
||||||
import { OB11GroupIncreaseEvent } from '../event/notice/OB11GroupIncreaseEvent';
|
import {OB11Construct} from '@/onebot/helper/data';
|
||||||
import { OB11GroupDecreaseEvent, GroupDecreaseSubType } from '../event/notice/OB11GroupDecreaseEvent';
|
import {EventType} from '@/onebot/event/OneBotEvent';
|
||||||
import { GroupAdmin } from '@/core/packet/transformer/proto/message/groupAdmin';
|
import {encodeCQCode} from '@/onebot/helper/cqcode';
|
||||||
import { OB11GroupAdminNoticeEvent } from '../event/notice/OB11GroupAdminNoticeEvent';
|
import {uriToLocalFile} from '@/common/file';
|
||||||
import { GroupChange, GroupChangeInfo, GroupInvite, PushMsgBody } from '@/core/packet/transformer/proto';
|
import {RequestUtil} from '@/common/request';
|
||||||
import { OB11GroupRequestEvent } from '../event/request/OB11GroupRequest';
|
import fsPromise, {constants} from 'node:fs/promises';
|
||||||
import { LRUCache } from '@/common/lru-cache';
|
import {OB11FriendAddNoticeEvent} from '@/onebot/event/notice/OB11FriendAddNoticeEvent';
|
||||||
|
import {ForwardMsgBuilder} from '@/common/forward-msg-builder';
|
||||||
|
import {NapProtoMsg} from '@napneko/nap-proto-core';
|
||||||
|
import {OB11GroupIncreaseEvent} from '../event/notice/OB11GroupIncreaseEvent';
|
||||||
|
import {GroupDecreaseSubType, OB11GroupDecreaseEvent} from '../event/notice/OB11GroupDecreaseEvent';
|
||||||
|
import {GroupAdmin} from '@/core/packet/transformer/proto/message/groupAdmin';
|
||||||
|
import {OB11GroupAdminNoticeEvent} from '../event/notice/OB11GroupAdminNoticeEvent';
|
||||||
|
import {GroupChange, GroupChangeInfo, GroupInvite, PushMsgBody} from '@/core/packet/transformer/proto';
|
||||||
|
import {OB11GroupRequestEvent} from '../event/request/OB11GroupRequest';
|
||||||
|
import {LRUCache} from '@/common/lru-cache';
|
||||||
|
|
||||||
type RawToOb11Converters = {
|
type RawToOb11Converters = {
|
||||||
[Key in keyof MessageElement as Key extends `${string}Element` ? Key : never]: (
|
[Key in keyof MessageElement as Key extends `${string}Element` ? Key : never]: (
|
||||||
@@ -84,12 +93,12 @@ export class OneBotMsgApi {
|
|||||||
}
|
}
|
||||||
return {
|
return {
|
||||||
type: OB11MessageDataType.text,
|
type: OB11MessageDataType.text,
|
||||||
data: { text },
|
data: {text},
|
||||||
};
|
};
|
||||||
} else {
|
} else {
|
||||||
let qq: string = 'all';
|
let qq: string = 'all';
|
||||||
if (element.atType !== NTMsgAtType.ATTYPEALL) {
|
if (element.atType !== NTMsgAtType.ATTYPEALL) {
|
||||||
const { atNtUid, atUid } = element;
|
const {atNtUid, atUid} = element;
|
||||||
qq = !atUid || atUid === '0' ? await this.core.apis.UserApi.getUinByUidV2(atNtUid) : atUid;
|
qq = !atUid || atUid === '0' ? await this.core.apis.UserApi.getUinByUidV2(atNtUid) : atUid;
|
||||||
}
|
}
|
||||||
return {
|
return {
|
||||||
@@ -197,7 +206,7 @@ export class OneBotMsgApi {
|
|||||||
peerUid: msg.peerUid,
|
peerUid: msg.peerUid,
|
||||||
guildId: '',
|
guildId: '',
|
||||||
};
|
};
|
||||||
const { emojiId } = _;
|
const {emojiId} = _;
|
||||||
const dir = emojiId.substring(0, 2);
|
const dir = emojiId.substring(0, 2);
|
||||||
const url = `https://gxh.vip.qq.com/club/item/parcel/item/${dir}/${emojiId}/raw300.gif`;
|
const url = `https://gxh.vip.qq.com/club/item/parcel/item/${dir}/${emojiId}/raw300.gif`;
|
||||||
const filename = `${dir}-${emojiId}.gif`;
|
const filename = `${dir}-${emojiId}.gif`;
|
||||||
@@ -264,7 +273,6 @@ export class OneBotMsgApi {
|
|||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// 丢弃该消息段
|
// 丢弃该消息段
|
||||||
if (!replyMsg || records.msgRandom !== replyMsg.msgRandom) {
|
if (!replyMsg || records.msgRandom !== replyMsg.msgRandom) {
|
||||||
this.core.context.logger.logError(
|
this.core.context.logger.logError(
|
||||||
@@ -355,18 +363,25 @@ export class OneBotMsgApi {
|
|||||||
};
|
};
|
||||||
},
|
},
|
||||||
|
|
||||||
multiForwardMsgElement: async (_, msg, _wrapper, context) => {
|
multiForwardMsgElement: async (element, msg, _wrapper, context) => {
|
||||||
const parentMsgPeer = msg.parentMsgPeer ?? {
|
const parentMsgPeer = msg.parentMsgPeer ?? {
|
||||||
chatType: msg.chatType,
|
chatType: msg.chatType,
|
||||||
guildId: '',
|
guildId: '',
|
||||||
peerUid: msg.peerUid,
|
peerUid: msg.peerUid,
|
||||||
};
|
};
|
||||||
const multiMsgs = await this.getMultiMessages(msg, parentMsgPeer);
|
let multiMsgs = await this.getMultiMessages(msg, parentMsgPeer);
|
||||||
// 拉取失败则跳过
|
// 拉取失败则跳过
|
||||||
if (!multiMsgs) return null;
|
if (!multiMsgs || multiMsgs.length === 0) {
|
||||||
|
try {
|
||||||
|
multiMsgs = await this.core.apis.PacketApi.pkt.operation.FetchForwardMsg(element.resId);
|
||||||
|
} catch (e) {
|
||||||
|
this.core.context.logger.logError('Protocol FetchForwardMsg fallback failed!', e);
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
const forward: OB11MessageForward = {
|
const forward: OB11MessageForward = {
|
||||||
type: OB11MessageDataType.forward,
|
type: OB11MessageDataType.forward,
|
||||||
data: { id: msg.msgId }
|
data: {id: msg.msgId}
|
||||||
};
|
};
|
||||||
if (!context.parseMultMsg) return forward;
|
if (!context.parseMultMsg) return forward;
|
||||||
forward.data.content = await this.parseMultiMessageContent(
|
forward.data.content = await this.parseMultiMessageContent(
|
||||||
@@ -397,7 +412,7 @@ export class OneBotMsgApi {
|
|||||||
};
|
};
|
||||||
|
|
||||||
ob11ToRawConverters: Ob11ToRawConverters = {
|
ob11ToRawConverters: Ob11ToRawConverters = {
|
||||||
[OB11MessageDataType.text]: async ({ data: { text } }) => ({
|
[OB11MessageDataType.text]: async ({data: {text}}) => ({
|
||||||
elementType: ElementType.TEXT,
|
elementType: ElementType.TEXT,
|
||||||
elementId: '',
|
elementId: '',
|
||||||
textElement: {
|
textElement: {
|
||||||
@@ -409,7 +424,7 @@ export class OneBotMsgApi {
|
|||||||
},
|
},
|
||||||
}),
|
}),
|
||||||
|
|
||||||
[OB11MessageDataType.at]: async ({ data: { qq: atQQ } }, context) => {
|
[OB11MessageDataType.at]: async ({data: {qq: atQQ}}, context) => {
|
||||||
function at(atUid: string, atNtUid: string, atType: NTMsgAtType, atName: string): SendTextElement {
|
function at(atUid: string, atNtUid: string, atType: NTMsgAtType, atName: string): SendTextElement {
|
||||||
return {
|
return {
|
||||||
elementType: ElementType.TEXT,
|
elementType: ElementType.TEXT,
|
||||||
@@ -436,7 +451,7 @@ export class OneBotMsgApi {
|
|||||||
return at(atQQ, uid, NTMsgAtType.ATTYPEONE, info.nick || '');
|
return at(atQQ, uid, NTMsgAtType.ATTYPEONE, info.nick || '');
|
||||||
},
|
},
|
||||||
|
|
||||||
[OB11MessageDataType.reply]: async ({ data: { id } }) => {
|
[OB11MessageDataType.reply]: async ({data: {id}}) => {
|
||||||
const replyMsgM = MessageUnique.getMsgIdAndPeerByShortId(parseInt(id));
|
const replyMsgM = MessageUnique.getMsgIdAndPeerByShortId(parseInt(id));
|
||||||
if (!replyMsgM) {
|
if (!replyMsgM) {
|
||||||
this.core.context.logger.logWarn('回复消息不存在', id);
|
this.core.context.logger.logWarn('回复消息不存在', id);
|
||||||
@@ -458,7 +473,7 @@ export class OneBotMsgApi {
|
|||||||
undefined;
|
undefined;
|
||||||
},
|
},
|
||||||
|
|
||||||
[OB11MessageDataType.face]: async ({ data: { id, resultId, chainCount } }) => {
|
[OB11MessageDataType.face]: async ({data: {id, resultId, chainCount}}) => {
|
||||||
const parsedFaceId = +id;
|
const parsedFaceId = +id;
|
||||||
// 从face_config.json中获取表情名称
|
// 从face_config.json中获取表情名称
|
||||||
const sysFaces = faceConfig.sysface;
|
const sysFaces = faceConfig.sysface;
|
||||||
@@ -522,12 +537,12 @@ export class OneBotMsgApi {
|
|||||||
},
|
},
|
||||||
|
|
||||||
[OB11MessageDataType.file]: async (sendMsg, context) => {
|
[OB11MessageDataType.file]: async (sendMsg, context) => {
|
||||||
const { path, fileName } = await this.handleOb11FileLikeMessage(sendMsg, context);
|
const {path, fileName} = await this.handleOb11FileLikeMessage(sendMsg, context);
|
||||||
return await this.core.apis.FileApi.createValidSendFileElement(context, path, fileName);
|
return await this.core.apis.FileApi.createValidSendFileElement(context, path, fileName);
|
||||||
},
|
},
|
||||||
|
|
||||||
[OB11MessageDataType.video]: async (sendMsg, context) => {
|
[OB11MessageDataType.video]: async (sendMsg, context) => {
|
||||||
const { path, fileName } = await this.handleOb11FileLikeMessage(sendMsg, context);
|
const {path, fileName} = await this.handleOb11FileLikeMessage(sendMsg, context);
|
||||||
|
|
||||||
let thumb = sendMsg.data.thumb;
|
let thumb = sendMsg.data.thumb;
|
||||||
if (thumb) {
|
if (thumb) {
|
||||||
@@ -545,7 +560,7 @@ export class OneBotMsgApi {
|
|||||||
this.core.apis.FileApi.createValidSendPttElement(
|
this.core.apis.FileApi.createValidSendPttElement(
|
||||||
(await this.handleOb11FileLikeMessage(sendMsg, context)).path),
|
(await this.handleOb11FileLikeMessage(sendMsg, context)).path),
|
||||||
|
|
||||||
[OB11MessageDataType.json]: async ({ data: { data } }) => ({
|
[OB11MessageDataType.json]: async ({data: {data}}) => ({
|
||||||
elementType: ElementType.ARK,
|
elementType: ElementType.ARK,
|
||||||
elementId: '',
|
elementId: '',
|
||||||
arkElement: {
|
arkElement: {
|
||||||
@@ -588,13 +603,13 @@ export class OneBotMsgApi {
|
|||||||
}),
|
}),
|
||||||
|
|
||||||
// Need signing
|
// Need signing
|
||||||
[OB11MessageDataType.markdown]: async ({ data: { content } }) => ({
|
[OB11MessageDataType.markdown]: async ({data: {content}}) => ({
|
||||||
elementType: ElementType.MARKDOWN,
|
elementType: ElementType.MARKDOWN,
|
||||||
elementId: '',
|
elementId: '',
|
||||||
markdownElement: { content },
|
markdownElement: {content},
|
||||||
}),
|
}),
|
||||||
|
|
||||||
[OB11MessageDataType.music]: async ({ data }, context) => {
|
[OB11MessageDataType.music]: async ({data}, context) => {
|
||||||
// 保留, 直到...找到更好的解决方案
|
// 保留, 直到...找到更好的解决方案
|
||||||
if (data.id !== undefined) {
|
if (data.id !== undefined) {
|
||||||
if (!['qq', '163', 'kugou', 'kuwo', 'migu'].includes(data.type)) {
|
if (!['qq', '163', 'kugou', 'kuwo', 'migu'].includes(data.type)) {
|
||||||
@@ -618,8 +633,8 @@ export class OneBotMsgApi {
|
|||||||
|
|
||||||
let postData: IdMusicSignPostData | CustomMusicSignPostData;
|
let postData: IdMusicSignPostData | CustomMusicSignPostData;
|
||||||
if (data.id === undefined && data.content) {
|
if (data.id === undefined && data.content) {
|
||||||
const { content, ...others } = data;
|
const {content, ...others} = data;
|
||||||
postData = { singer: content, ...others };
|
postData = {singer: content, ...others};
|
||||||
} else {
|
} else {
|
||||||
postData = data;
|
postData = data;
|
||||||
}
|
}
|
||||||
@@ -631,7 +646,7 @@ export class OneBotMsgApi {
|
|||||||
try {
|
try {
|
||||||
const musicJson = await RequestUtil.HttpGetJson<string>(signUrl, 'POST', postData);
|
const musicJson = await RequestUtil.HttpGetJson<string>(signUrl, 'POST', postData);
|
||||||
return this.ob11ToRawConverters.json({
|
return this.ob11ToRawConverters.json({
|
||||||
data: { data: musicJson },
|
data: {data: musicJson},
|
||||||
type: OB11MessageDataType.json
|
type: OB11MessageDataType.json
|
||||||
}, context);
|
}, context);
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
@@ -642,10 +657,10 @@ export class OneBotMsgApi {
|
|||||||
|
|
||||||
[OB11MessageDataType.node]: async () => undefined,
|
[OB11MessageDataType.node]: async () => undefined,
|
||||||
|
|
||||||
[OB11MessageDataType.forward]: async ({ data }, context) => {
|
[OB11MessageDataType.forward]: async ({data}, context) => {
|
||||||
const jsonData = ForwardMsgBuilder.fromResId(data.id);
|
const jsonData = ForwardMsgBuilder.fromResId(data.id);
|
||||||
return this.ob11ToRawConverters.json({
|
return this.ob11ToRawConverters.json({
|
||||||
data: { data: JSON.stringify(jsonData) },
|
data: {data: JSON.stringify(jsonData)},
|
||||||
type: OB11MessageDataType.json
|
type: OB11MessageDataType.json
|
||||||
}, context);
|
}, context);
|
||||||
},
|
},
|
||||||
@@ -665,17 +680,17 @@ export class OneBotMsgApi {
|
|||||||
|
|
||||||
[OB11MessageDataType.miniapp]: async () => undefined,
|
[OB11MessageDataType.miniapp]: async () => undefined,
|
||||||
|
|
||||||
[OB11MessageDataType.contact]: async ({ data: { type = 'qq', id } }, context) => {
|
[OB11MessageDataType.contact]: async ({data: {type = 'qq', id}}, context) => {
|
||||||
if (type === 'qq') {
|
if (type === 'qq') {
|
||||||
const arkJson = await this.core.apis.UserApi.getBuddyRecommendContactArkJson(id.toString(), '');
|
const arkJson = await this.core.apis.UserApi.getBuddyRecommendContactArkJson(id.toString(), '');
|
||||||
return this.ob11ToRawConverters.json({
|
return this.ob11ToRawConverters.json({
|
||||||
data: { data: arkJson.arkMsg },
|
data: {data: arkJson.arkMsg},
|
||||||
type: OB11MessageDataType.json
|
type: OB11MessageDataType.json
|
||||||
}, context);
|
}, context);
|
||||||
} else if (type === 'group') {
|
} else if (type === 'group') {
|
||||||
const arkJson = await this.core.apis.GroupApi.getGroupRecommendContactArkJson(id.toString());
|
const arkJson = await this.core.apis.GroupApi.getGroupRecommendContactArkJson(id.toString());
|
||||||
return this.ob11ToRawConverters.json({
|
return this.ob11ToRawConverters.json({
|
||||||
data: { data: arkJson.arkJson },
|
data: {data: arkJson.arkJson},
|
||||||
type: OB11MessageDataType.json
|
type: OB11MessageDataType.json
|
||||||
}, context);
|
}, context);
|
||||||
}
|
}
|
||||||
@@ -692,7 +707,10 @@ export class OneBotMsgApi {
|
|||||||
if (grayTipElement.subElementType == NTGrayTipElementSubTypeV2.GRAYTIP_ELEMENT_SUBTYPE_JSON) {
|
if (grayTipElement.subElementType == NTGrayTipElementSubTypeV2.GRAYTIP_ELEMENT_SUBTYPE_JSON) {
|
||||||
if (grayTipElement.jsonGrayTipElement.busiId == 1061) {
|
if (grayTipElement.jsonGrayTipElement.busiId == 1061) {
|
||||||
const PokeEvent = await this.obContext.apis.FriendApi.parsePrivatePokeEvent(grayTipElement, Number(await this.core.apis.UserApi.getUinByUidV2(msg.peerUid)));
|
const PokeEvent = await this.obContext.apis.FriendApi.parsePrivatePokeEvent(grayTipElement, Number(await this.core.apis.UserApi.getUinByUidV2(msg.peerUid)));
|
||||||
if (PokeEvent) { return PokeEvent; };
|
if (PokeEvent) {
|
||||||
|
return PokeEvent;
|
||||||
|
}
|
||||||
|
;
|
||||||
} else if (grayTipElement.jsonGrayTipElement.busiId == 19324 && msg.peerUid !== '') {
|
} else if (grayTipElement.jsonGrayTipElement.busiId == 19324 && msg.peerUid !== '') {
|
||||||
return new OB11FriendAddNoticeEvent(this.core, Number(await this.core.apis.UserApi.getUinByUidV2(msg.peerUid)));
|
return new OB11FriendAddNoticeEvent(this.core, Number(await this.core.apis.UserApi.getUinByUidV2(msg.peerUid)));
|
||||||
}
|
}
|
||||||
@@ -849,7 +867,7 @@ export class OneBotMsgApi {
|
|||||||
element[key],
|
element[key],
|
||||||
msg,
|
msg,
|
||||||
element,
|
element,
|
||||||
{ parseMultMsg }
|
{parseMultMsg}
|
||||||
);
|
);
|
||||||
if (key === 'faceElement' && !parsedElement) {
|
if (key === 'faceElement' && !parsedElement) {
|
||||||
return null;
|
return null;
|
||||||
@@ -902,13 +920,13 @@ export class OneBotMsgApi {
|
|||||||
) => Promise<SendMessageElement | undefined>;
|
) => Promise<SendMessageElement | undefined>;
|
||||||
const callResult = converter(
|
const callResult = converter(
|
||||||
sendMsg,
|
sendMsg,
|
||||||
{ peer, deleteAfterSentFiles },
|
{peer, deleteAfterSentFiles},
|
||||||
)?.catch(undefined);
|
)?.catch(undefined);
|
||||||
callResultList.push(callResult);
|
callResultList.push(callResult);
|
||||||
}
|
}
|
||||||
const ret = await Promise.all(callResultList);
|
const ret = await Promise.all(callResultList);
|
||||||
const sendElements: SendMessageElement[] = ret.filter(ele => !!ele);
|
const sendElements: SendMessageElement[] = ret.filter(ele => !!ele);
|
||||||
return { sendElements, deleteAfterSentFiles };
|
return {sendElements, deleteAfterSentFiles};
|
||||||
}
|
}
|
||||||
|
|
||||||
async sendMsgWithOb11UniqueId(peer: Peer, sendElements: SendMessageElement[], deleteAfterSentFiles: string[]) {
|
async sendMsgWithOb11UniqueId(peer: Peer, sendElements: SendMessageElement[], deleteAfterSentFiles: string[]) {
|
||||||
@@ -970,8 +988,8 @@ export class OneBotMsgApi {
|
|||||||
}
|
}
|
||||||
|
|
||||||
private async handleOb11FileLikeMessage(
|
private async handleOb11FileLikeMessage(
|
||||||
{ data: inputdata }: OB11MessageFileBase,
|
{data: inputdata}: OB11MessageFileBase,
|
||||||
{ deleteAfterSentFiles }: SendMessageContext
|
{deleteAfterSentFiles}: SendMessageContext
|
||||||
) {
|
) {
|
||||||
let realUri = [inputdata.url, inputdata.file, inputdata.path].find(uri => uri && uri.trim()) ?? '';
|
let realUri = [inputdata.url, inputdata.file, inputdata.path].find(uri => uri && uri.trim()) ?? '';
|
||||||
if (!realUri) {
|
if (!realUri) {
|
||||||
@@ -980,28 +998,29 @@ export class OneBotMsgApi {
|
|||||||
}
|
}
|
||||||
|
|
||||||
const downloadFile = async (uri: string) => {
|
const downloadFile = async (uri: string) => {
|
||||||
const { path, fileName, errMsg, success } = await uriToLocalFile(this.core.NapCatTempPath, uri);
|
const {path, fileName, errMsg, success} = await uriToLocalFile(this.core.NapCatTempPath, uri);
|
||||||
if (!success) {
|
if (!success) {
|
||||||
this.core.context.logger.logError('文件下载失败', errMsg);
|
this.core.context.logger.logError('文件下载失败', errMsg);
|
||||||
throw new Error('文件下载失败: ' + errMsg);
|
throw new Error('文件下载失败: ' + errMsg);
|
||||||
}
|
}
|
||||||
return { path, fileName };
|
return {path, fileName};
|
||||||
};
|
};
|
||||||
try {
|
try {
|
||||||
const { path, fileName } = await downloadFile(realUri);
|
const {path, fileName} = await downloadFile(realUri);
|
||||||
deleteAfterSentFiles.push(path);
|
deleteAfterSentFiles.push(path);
|
||||||
return { path, fileName: inputdata.name ?? fileName };
|
return {path, fileName: inputdata.name ?? fileName};
|
||||||
} catch {
|
} catch {
|
||||||
realUri = await this.handleObfuckName(realUri);
|
realUri = await this.handleObfuckName(realUri);
|
||||||
const { path, fileName } = await downloadFile(realUri);
|
const {path, fileName} = await downloadFile(realUri);
|
||||||
deleteAfterSentFiles.push(path);
|
deleteAfterSentFiles.push(path);
|
||||||
return { path, fileName: inputdata.name ?? fileName };
|
return {path, fileName: inputdata.name ?? fileName};
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async handleObfuckName(name: string) {
|
async handleObfuckName(name: string) {
|
||||||
const contextMsgFile = FileNapCatOneBotUUID.decode(name);
|
const contextMsgFile = FileNapCatOneBotUUID.decode(name);
|
||||||
if (contextMsgFile && contextMsgFile.msgId && contextMsgFile.elementId) {
|
if (contextMsgFile && contextMsgFile.msgId && contextMsgFile.elementId) {
|
||||||
const { peer, msgId, elementId } = contextMsgFile;
|
const {peer, msgId, elementId} = contextMsgFile;
|
||||||
const rawMessage = (await this.core.apis.MsgApi.getMsgsByMsgId(peer, [msgId]))?.msgList.find(msg => msg.msgId === msgId);
|
const rawMessage = (await this.core.apis.MsgApi.getMsgsByMsgId(peer, [msgId]))?.msgList.find(msg => msg.msgId === msgId);
|
||||||
const mixElement = rawMessage?.elements.find(e => e.elementId === elementId);
|
const mixElement = rawMessage?.elements.find(e => e.elementId === elementId);
|
||||||
const mixElementInner = mixElement?.videoElement ?? mixElement?.fileElement ?? mixElement?.pttElement ?? mixElement?.picElement;
|
const mixElementInner = mixElement?.videoElement ?? mixElement?.fileElement ?? mixElement?.pttElement ?? mixElement?.picElement;
|
||||||
@@ -1009,18 +1028,19 @@ export class OneBotMsgApi {
|
|||||||
let url = '';
|
let url = '';
|
||||||
if (mixElement?.picElement && rawMessage) {
|
if (mixElement?.picElement && rawMessage) {
|
||||||
const tempData =
|
const tempData =
|
||||||
await this.obContext.apis.MsgApi.rawToOb11Converters.picElement?.(mixElement?.picElement, rawMessage, mixElement, { parseMultMsg: false }) as OB11MessageImage | undefined;
|
await this.obContext.apis.MsgApi.rawToOb11Converters.picElement?.(mixElement?.picElement, rawMessage, mixElement, {parseMultMsg: false}) as OB11MessageImage | undefined;
|
||||||
url = tempData?.data.url ?? '';
|
url = tempData?.data.url ?? '';
|
||||||
}
|
}
|
||||||
if (mixElement?.videoElement && rawMessage) {
|
if (mixElement?.videoElement && rawMessage) {
|
||||||
const tempData =
|
const tempData =
|
||||||
await this.obContext.apis.MsgApi.rawToOb11Converters.videoElement?.(mixElement?.videoElement, rawMessage, mixElement, { parseMultMsg: false }) as OB11MessageVideo | undefined;
|
await this.obContext.apis.MsgApi.rawToOb11Converters.videoElement?.(mixElement?.videoElement, rawMessage, mixElement, {parseMultMsg: false}) as OB11MessageVideo | undefined;
|
||||||
url = tempData?.data.url ?? '';
|
url = tempData?.data.url ?? '';
|
||||||
}
|
}
|
||||||
return url !== '' ? url : await this.core.apis.FileApi.downloadMedia(msgId, peer.chatType, peer.peerUid, elementId, '', '');
|
return url !== '' ? url : await this.core.apis.FileApi.downloadMedia(msgId, peer.chatType, peer.peerUid, elementId, '', '');
|
||||||
}
|
}
|
||||||
throw new Error('文件名解析失败');
|
throw new Error('文件名解析失败');
|
||||||
}
|
}
|
||||||
|
|
||||||
groupChangDecreseType2String(type: number): GroupDecreaseSubType {
|
groupChangDecreseType2String(type: number): GroupDecreaseSubType {
|
||||||
switch (type) {
|
switch (type) {
|
||||||
case 130:
|
case 130:
|
||||||
|
@@ -26,9 +26,4 @@ export function require_dlopen(modulename: string) {
|
|||||||
process.dlopen(module, path.join(import__dirname, modulename));
|
process.dlopen(module, path.join(import__dirname, modulename));
|
||||||
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
return module.exports as any;
|
return module.exports as any;
|
||||||
}
|
}
|
||||||
/**
|
|
||||||
* Expose the native API when not Windows, note that this is not public API and
|
|
||||||
* could be removed at any time.
|
|
||||||
*/
|
|
||||||
export const native = (process.platform !== 'win32' ? require_dlopen('./pty/' + process.platform + '.' + process.arch + '/pty.node') : null);
|
|
@@ -13,12 +13,13 @@ import { IProcessEnv, IPtyForkOptions, IPtyOpenOptions } from '@homebridge/node-
|
|||||||
import { ArgvOrCommandLine } from '@homebridge/node-pty-prebuilt-multiarch/src/types';
|
import { ArgvOrCommandLine } from '@homebridge/node-pty-prebuilt-multiarch/src/types';
|
||||||
import { assign } from '@homebridge/node-pty-prebuilt-multiarch/src/utils';
|
import { assign } from '@homebridge/node-pty-prebuilt-multiarch/src/utils';
|
||||||
import { pty_loader } from './prebuild-loader';
|
import { pty_loader } from './prebuild-loader';
|
||||||
|
import { fileURLToPath } from 'url';
|
||||||
export const pty = pty_loader();
|
export const pty = pty_loader();
|
||||||
|
|
||||||
let helperPath: string;
|
let helperPath: string;
|
||||||
helperPath = '../build/Release/spawn-helper';
|
helperPath = '../build/Release/spawn-helper';
|
||||||
|
const import__dirname = path.dirname(fileURLToPath(import.meta.url));
|
||||||
helperPath = path.resolve(__dirname, helperPath);
|
helperPath = path.resolve(import__dirname, helperPath);
|
||||||
helperPath = helperPath.replace('app.asar', 'app.asar.unpacked');
|
helperPath = helperPath.replace('app.asar', 'app.asar.unpacked');
|
||||||
helperPath = helperPath.replace('node_modules.asar', 'node_modules.asar.unpacked');
|
helperPath = helperPath.replace('node_modules.asar', 'node_modules.asar.unpacked');
|
||||||
|
|
||||||
|
@@ -14,6 +14,8 @@ import { ArgvOrCommandLine } from '@homebridge/node-pty-prebuilt-multiarch/src/t
|
|||||||
import { fork } from 'child_process';
|
import { fork } from 'child_process';
|
||||||
import { ConoutConnection } from './windowsConoutConnection';
|
import { ConoutConnection } from './windowsConoutConnection';
|
||||||
import { require_dlopen } from '.';
|
import { require_dlopen } from '.';
|
||||||
|
import { fileURLToPath } from 'url';
|
||||||
|
import { dirname } from 'path';
|
||||||
|
|
||||||
let conptyNative: IConptyNative;
|
let conptyNative: IConptyNative;
|
||||||
let winptyNative: IWinptyNative;
|
let winptyNative: IWinptyNative;
|
||||||
@@ -149,7 +151,7 @@ export class WindowsPtyAgent {
|
|||||||
consoleProcessList.forEach((pid: number) => {
|
consoleProcessList.forEach((pid: number) => {
|
||||||
try {
|
try {
|
||||||
process.kill(pid);
|
process.kill(pid);
|
||||||
} catch{
|
} catch {
|
||||||
// Ignore if process cannot be found (kill ESRCH error)
|
// Ignore if process cannot be found (kill ESRCH error)
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
@@ -176,8 +178,9 @@ export class WindowsPtyAgent {
|
|||||||
}
|
}
|
||||||
|
|
||||||
private _getConsoleProcessList(): Promise<number[]> {
|
private _getConsoleProcessList(): Promise<number[]> {
|
||||||
|
const import__dirname = dirname(fileURLToPath(import.meta.url));
|
||||||
return new Promise<number[]>(resolve => {
|
return new Promise<number[]>(resolve => {
|
||||||
const agent = fork(path.join(__dirname, 'conpty_console_list_agent'), [this._innerPid.toString()]);
|
const agent = fork(path.join(import__dirname, 'conpty_console_list_agent'), [this._innerPid.toString()]);
|
||||||
agent.on('message', message => {
|
agent.on('message', message => {
|
||||||
clearTimeout(timeout);
|
clearTimeout(timeout);
|
||||||
// @ts-expect-error no need to check if it is null
|
// @ts-expect-error no need to check if it is null
|
||||||
|
@@ -223,7 +223,7 @@ async function handleLogin(
|
|||||||
logger.log(`可用于快速登录的 QQ:\n${historyLoginList
|
logger.log(`可用于快速登录的 QQ:\n${historyLoginList
|
||||||
.map((u, index) => `${index + 1}. ${u.uin} ${u.nickName}`)
|
.map((u, index) => `${index + 1}. ${u.uin} ${u.nickName}`)
|
||||||
.join('\n')
|
.join('\n')
|
||||||
}`);
|
}`);
|
||||||
}
|
}
|
||||||
loginService.getQRCodePicture();
|
loginService.getQRCodePicture();
|
||||||
}
|
}
|
||||||
@@ -236,11 +236,11 @@ async function initializeSession(
|
|||||||
) {
|
) {
|
||||||
return new Promise<void>((resolve, reject) => {
|
return new Promise<void>((resolve, reject) => {
|
||||||
const sessionListener = new NodeIKernelSessionListener();
|
const sessionListener = new NodeIKernelSessionListener();
|
||||||
sessionListener.onSessionInitComplete = (r: unknown) => {
|
sessionListener.onOpentelemetryInit = (info) => {
|
||||||
if (r === 0) {
|
if (info.is_init) {
|
||||||
resolve();
|
resolve();
|
||||||
} else {
|
} else {
|
||||||
reject(new Error('登录异常' + r?.toString()));
|
reject(new Error('opentelemetry init failed'));
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
session.init(
|
session.init(
|
||||||
@@ -260,7 +260,30 @@ async function initializeSession(
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
async function handleProxy(session: NodeIQQNTWrapperSession, logger: LogWrapper) {
|
||||||
|
if (process.env['NAPCAT_PROXY_PORT']) {
|
||||||
|
session.getMSFService().setNetworkProxy({
|
||||||
|
userName: '',
|
||||||
|
userPwd: '',
|
||||||
|
address: process.env['NAPCAT_PROXY_ADDRESS'] || '127.0.0.1',
|
||||||
|
port: +process.env['NAPCAT_PROXY_PORT'],
|
||||||
|
proxyType: 2,
|
||||||
|
domain: '',
|
||||||
|
isSocket: true
|
||||||
|
});
|
||||||
|
logger.logWarn('已设置代理', process.env['NAPCAT_PROXY_ADDRESS'], process.env['NAPCAT_PROXY_PORT']);
|
||||||
|
} else if (process.env['NAPCAT_PROXY_CLOSE']) {
|
||||||
|
session.getMSFService().setNetworkProxy({
|
||||||
|
userName: '',
|
||||||
|
userPwd: '',
|
||||||
|
address: '',
|
||||||
|
port: 0,
|
||||||
|
proxyType: 0,
|
||||||
|
domain: '',
|
||||||
|
isSocket: false
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
export async function NCoreInitShell() {
|
export async function NCoreInitShell() {
|
||||||
console.log('NapCat Shell App Loading...');
|
console.log('NapCat Shell App Loading...');
|
||||||
const pathWrapper = new NapCatPathWrapper();
|
const pathWrapper = new NapCatPathWrapper();
|
||||||
@@ -286,7 +309,7 @@ export async function NCoreInitShell() {
|
|||||||
|
|
||||||
await initializeEngine(engine, basicInfoWrapper, dataPathGlobal, systemPlatform, systemVersion);
|
await initializeEngine(engine, basicInfoWrapper, dataPathGlobal, systemPlatform, systemVersion);
|
||||||
await initializeLoginService(loginService, basicInfoWrapper, dataPathGlobal, systemVersion, hostname);
|
await initializeLoginService(loginService, basicInfoWrapper, dataPathGlobal, systemVersion, hostname);
|
||||||
|
handleProxy(session, logger);
|
||||||
program.option('-q, --qq [number]', 'QQ号').parse(process.argv);
|
program.option('-q, --qq [number]', 'QQ号').parse(process.argv);
|
||||||
const cmdOptions = program.opts();
|
const cmdOptions = program.opts();
|
||||||
const quickLoginUin = cmdOptions['qq'];
|
const quickLoginUin = cmdOptions['qq'];
|
||||||
@@ -294,6 +317,7 @@ export async function NCoreInitShell() {
|
|||||||
|
|
||||||
const dataTimestape = new Date().getTime().toString();
|
const dataTimestape = new Date().getTime().toString();
|
||||||
o3Service.reportAmgomWeather('login', 'a1', [dataTimestape, '0', '0']);
|
o3Service.reportAmgomWeather('login', 'a1', [dataTimestape, '0', '0']);
|
||||||
|
|
||||||
const selfInfo = await handleLogin(loginService, logger, pathWrapper, quickLoginUin, historyLoginList);
|
const selfInfo = await handleLogin(loginService, logger, pathWrapper, quickLoginUin, historyLoginList);
|
||||||
const amgomDataPiece = 'eb1fd6ac257461580dc7438eb099f23aae04ca679f4d88f53072dc56e3bb1129';
|
const amgomDataPiece = 'eb1fd6ac257461580dc7438eb099f23aae04ca679f4d88f53072dc56e3bb1129';
|
||||||
o3Service.setAmgomDataPiece(basicInfoWrapper.QQVersionAppid, new Uint8Array(Buffer.from(amgomDataPiece, 'hex')));
|
o3Service.setAmgomDataPiece(basicInfoWrapper.QQVersionAppid, new Uint8Array(Buffer.from(amgomDataPiece, 'hex')));
|
||||||
@@ -314,7 +338,15 @@ export async function NCoreInitShell() {
|
|||||||
await initializeSession(session, sessionConfig);
|
await initializeSession(session, sessionConfig);
|
||||||
|
|
||||||
const accountDataPath = path.resolve(dataPath, './NapCat/data');
|
const accountDataPath = path.resolve(dataPath, './NapCat/data');
|
||||||
fs.mkdirSync(dataPath, { recursive: true });
|
//判断dataPath是否为根目录 或者 D:/ 之类的盘目录
|
||||||
|
if (dataPath !== '/' && /^[a-zA-Z]:\\$/.test(dataPath) === false) {
|
||||||
|
try {
|
||||||
|
fs.mkdirSync(accountDataPath, { recursive: true });
|
||||||
|
} catch (error) {
|
||||||
|
logger.logError('创建accountDataPath失败', error);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
logger.logDebug('本账号数据/缓存目录:', accountDataPath);
|
logger.logDebug('本账号数据/缓存目录:', accountDataPath);
|
||||||
|
|
||||||
await new NapCatShell(
|
await new NapCatShell(
|
||||||
|
@@ -10,9 +10,10 @@ import { WebUiConfigWrapper } from '@webapi/helper/config';
|
|||||||
import { ALLRouter } from '@webapi/router';
|
import { ALLRouter } from '@webapi/router';
|
||||||
import { cors } from '@webapi/middleware/cors';
|
import { cors } from '@webapi/middleware/cors';
|
||||||
import { createUrl } from '@webapi/utils/url';
|
import { createUrl } from '@webapi/utils/url';
|
||||||
import { sendSuccess } from '@webapi/utils/response';
|
import { sendError } from '@webapi/utils/response';
|
||||||
import { join } from 'node:path';
|
import { join } from 'node:path';
|
||||||
import { terminalManager } from '@webapi/terminal/terminal_manager';
|
import { terminalManager } from '@webapi/terminal/terminal_manager';
|
||||||
|
import multer from 'multer'; // 新增:引入multer用于错误捕获
|
||||||
|
|
||||||
// 实例化Express
|
// 实例化Express
|
||||||
const app = express();
|
const app = express();
|
||||||
@@ -25,12 +26,25 @@ const server = createServer(app);
|
|||||||
*/
|
*/
|
||||||
export let WebUiConfig: WebUiConfigWrapper;
|
export let WebUiConfig: WebUiConfigWrapper;
|
||||||
export let webUiPathWrapper: NapCatPathWrapper;
|
export let webUiPathWrapper: NapCatPathWrapper;
|
||||||
|
const MAX_PORT_TRY = 100;
|
||||||
|
import * as net from 'node:net';
|
||||||
|
|
||||||
|
export async function InitPort(parsedConfig: WebUiConfigType): Promise<[string, number, string]> {
|
||||||
|
try {
|
||||||
|
await tryUseHost(parsedConfig.host);
|
||||||
|
const port = await tryUsePort(parsedConfig.port, parsedConfig.host);
|
||||||
|
return [parsedConfig.host, port, parsedConfig.token];
|
||||||
|
} catch (error) {
|
||||||
|
console.log('host或port不可用', error);
|
||||||
|
return ['', 0, ''];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export async function InitWebUi(logger: LogWrapper, pathWrapper: NapCatPathWrapper) {
|
export async function InitWebUi(logger: LogWrapper, pathWrapper: NapCatPathWrapper) {
|
||||||
webUiPathWrapper = pathWrapper;
|
webUiPathWrapper = pathWrapper;
|
||||||
WebUiConfig = new WebUiConfigWrapper();
|
WebUiConfig = new WebUiConfigWrapper();
|
||||||
const config = await WebUiConfig.GetWebUIConfig();
|
const [host, port, token] = await InitPort(await WebUiConfig.GetWebUIConfig());
|
||||||
if (config.port == 0) {
|
if (port == 0) {
|
||||||
logger.log('[NapCat] [WebUi] Current WebUi is not run.');
|
logger.log('[NapCat] [WebUi] Current WebUi is not run.');
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
@@ -42,10 +56,21 @@ export async function InitWebUi(logger: LogWrapper, pathWrapper: NapCatPathWrapp
|
|||||||
// CORS中间件
|
// CORS中间件
|
||||||
// TODO:
|
// TODO:
|
||||||
app.use(cors);
|
app.use(cors);
|
||||||
|
|
||||||
|
// 如果是webui字体文件,挂载字体文件
|
||||||
|
app.use('/webui/fonts/AaCute.woff', async (_req, res, next) => {
|
||||||
|
const isFontExist = await WebUiConfigWrapper.CheckWebUIFontExist();
|
||||||
|
if (isFontExist) {
|
||||||
|
res.sendFile(WebUiConfigWrapper.GetWebUIFontPath());
|
||||||
|
} else {
|
||||||
|
next();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
// ------------中间件结束------------
|
// ------------中间件结束------------
|
||||||
|
|
||||||
// ------------挂载路由------------
|
// ------------挂载路由------------
|
||||||
// 挂载静态路由(前端),路径为 [/前缀]/webui
|
// 挂载静态路由(前端),路径为 /webui
|
||||||
app.use('/webui', express.static(pathWrapper.staticPath));
|
app.use('/webui', express.static(pathWrapper.staticPath));
|
||||||
// 初始化WebSocket服务器
|
// 初始化WebSocket服务器
|
||||||
server.on('upgrade', (request, socket, head) => {
|
server.on('upgrade', (request, socket, head) => {
|
||||||
@@ -62,21 +87,91 @@ export async function InitWebUi(logger: LogWrapper, pathWrapper: NapCatPathWrapp
|
|||||||
|
|
||||||
// 初始服务(先放个首页)
|
// 初始服务(先放个首页)
|
||||||
app.all('/', (_req, res) => {
|
app.all('/', (_req, res) => {
|
||||||
sendSuccess(res, null, 'NapCat WebAPI is now running!');
|
res.status(301).header('Location', '/webui').send();
|
||||||
|
});
|
||||||
|
|
||||||
|
// 错误处理中间件,捕获multer的错误
|
||||||
|
app.use((err: Error, _: express.Request, res: express.Response, next: express.NextFunction) => {
|
||||||
|
if (err instanceof multer.MulterError) {
|
||||||
|
return sendError(res, err.message, true);
|
||||||
|
}
|
||||||
|
next(err);
|
||||||
|
});
|
||||||
|
|
||||||
|
// 全局错误处理中间件(非multer错误)
|
||||||
|
app.use((_: Error, __: express.Request, res: express.Response, ___: express.NextFunction) => {
|
||||||
|
sendError(res, 'An unknown error occurred.', true);
|
||||||
});
|
});
|
||||||
// ------------路由挂载结束------------
|
|
||||||
|
|
||||||
// ------------启动服务------------
|
// ------------启动服务------------
|
||||||
server.listen(config.port, config.host, async () => {
|
server.listen(port, host, async () => {
|
||||||
// 启动后打印出相关地址
|
// 启动后打印出相关地址
|
||||||
const port = config.port.toString(),
|
let searchParams = { token: token };
|
||||||
searchParams = { token: config.token };
|
if (host !== '' && host !== '0.0.0.0') {
|
||||||
if (config.host !== '' && config.host !== '0.0.0.0') {
|
|
||||||
logger.log(
|
logger.log(
|
||||||
`[NapCat] [WebUi] WebUi User Panel Url: ${createUrl(config.host, port, '/webui', searchParams)}`
|
`[NapCat] [WebUi] WebUi User Panel Url: ${createUrl(host, port.toString(), '/webui', searchParams)}`
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
logger.log(`[NapCat] [WebUi] WebUi Local Panel Url: ${createUrl('127.0.0.1', port, '/webui', searchParams)}`);
|
logger.log(
|
||||||
|
`[NapCat] [WebUi] WebUi Local Panel Url: ${createUrl('127.0.0.1', port.toString(), '/webui', searchParams)}`
|
||||||
|
);
|
||||||
});
|
});
|
||||||
// ------------Over!------------
|
// ------------Over!------------
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async function tryUseHost(host: string): Promise<string> {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
try {
|
||||||
|
const server = net.createServer();
|
||||||
|
server.on('listening', () => {
|
||||||
|
server.close();
|
||||||
|
resolve(host);
|
||||||
|
});
|
||||||
|
|
||||||
|
server.on('error', (err: any) => {
|
||||||
|
if (err.code === 'EADDRNOTAVAIL') {
|
||||||
|
reject(new Error('主机地址验证失败,可能为非本机地址'));
|
||||||
|
} else {
|
||||||
|
reject(new Error(`遇到错误: ${err.code}`));
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// 尝试监听 让系统随机分配一个端口
|
||||||
|
server.listen(0, host);
|
||||||
|
} catch (error) {
|
||||||
|
// 这里捕获到的错误应该是启动服务器时的同步错误
|
||||||
|
reject(new Error(`服务器启动时发生错误: ${error}`));
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
async function tryUsePort(port: number, host: string, tryCount: number = 0): Promise<number> {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
try {
|
||||||
|
const server = net.createServer();
|
||||||
|
server.on('listening', () => {
|
||||||
|
server.close();
|
||||||
|
resolve(port);
|
||||||
|
});
|
||||||
|
|
||||||
|
server.on('error', (err: any) => {
|
||||||
|
if (err.code === 'EADDRINUSE') {
|
||||||
|
if (tryCount < MAX_PORT_TRY) {
|
||||||
|
// 使用循环代替递归
|
||||||
|
resolve(tryUsePort(port + 1, host, tryCount + 1));
|
||||||
|
} else {
|
||||||
|
reject(new Error(`端口尝试失败,达到最大尝试次数: ${MAX_PORT_TRY}`));
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
reject(new Error(`遇到错误: ${err.code}`));
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// 尝试监听端口
|
||||||
|
server.listen(port, host);
|
||||||
|
} catch (error) {
|
||||||
|
// 这里捕获到的错误应该是启动服务器时的同步错误
|
||||||
|
reject(new Error(`服务器启动时发生错误: ${error}`));
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
@@ -7,6 +7,15 @@ import { WebUiDataRuntime } from '@webapi/helper/Data';
|
|||||||
import { sendSuccess, sendError } from '@webapi/utils/response';
|
import { sendSuccess, sendError } from '@webapi/utils/response';
|
||||||
import { isEmpty } from '@webapi/utils/check';
|
import { isEmpty } from '@webapi/utils/check';
|
||||||
|
|
||||||
|
// 检查是否使用默认Token
|
||||||
|
export const CheckDefaultTokenHandler: RequestHandler = async (_, res) => {
|
||||||
|
const webuiToken = await WebUiConfig.GetWebUIConfig();
|
||||||
|
if (webuiToken.token === 'napcat') {
|
||||||
|
return sendSuccess(res, true);
|
||||||
|
}
|
||||||
|
return sendSuccess(res, false);
|
||||||
|
};
|
||||||
|
|
||||||
// 登录
|
// 登录
|
||||||
export const LoginHandler: RequestHandler = async (req, res) => {
|
export const LoginHandler: RequestHandler = async (req, res) => {
|
||||||
// 获取WebUI配置
|
// 获取WebUI配置
|
||||||
@@ -93,7 +102,7 @@ export const UpdateTokenHandler: RequestHandler = async (req, res) => {
|
|||||||
try {
|
try {
|
||||||
// 注销当前的Token
|
// 注销当前的Token
|
||||||
if (authorization) {
|
if (authorization) {
|
||||||
const CredentialBase64: string = authorization.split(' ')[1];
|
const CredentialBase64: string = authorization.split(' ')[1] as string;
|
||||||
const Credential = JSON.parse(Buffer.from(CredentialBase64, 'base64').toString());
|
const Credential = JSON.parse(Buffer.from(CredentialBase64, 'base64').toString());
|
||||||
AuthHelper.revokeCredential(Credential);
|
AuthHelper.revokeCredential(Credential);
|
||||||
}
|
}
|
||||||
|
@@ -1,4 +1,4 @@
|
|||||||
import type { RequestHandler, Request } from 'express';
|
import type { RequestHandler } from 'express';
|
||||||
import { sendError, sendSuccess } from '../utils/response';
|
import { sendError, sendSuccess } from '../utils/response';
|
||||||
import fsProm from 'fs/promises';
|
import fsProm from 'fs/promises';
|
||||||
import fs from 'fs';
|
import fs from 'fs';
|
||||||
@@ -7,7 +7,9 @@ import os from 'os';
|
|||||||
import compressing from 'compressing';
|
import compressing from 'compressing';
|
||||||
import { PassThrough } from 'stream';
|
import { PassThrough } from 'stream';
|
||||||
import multer from 'multer';
|
import multer from 'multer';
|
||||||
import { randomUUID } from 'crypto';
|
import { WebUiConfigWrapper } from '../helper/config';
|
||||||
|
import webUIFontUploader from '../uploader/webui_font';
|
||||||
|
import diskUploader from '../uploader/disk';
|
||||||
|
|
||||||
const isWindows = os.platform() === 'win32';
|
const isWindows = os.platform() === 'win32';
|
||||||
|
|
||||||
@@ -268,11 +270,11 @@ export const BatchMoveHandler: RequestHandler = async (req, res) => {
|
|||||||
// 新增:文件下载处理方法(注意流式传输,不将整个文件读入内存)
|
// 新增:文件下载处理方法(注意流式传输,不将整个文件读入内存)
|
||||||
export const DownloadHandler: RequestHandler = async (req, res) => {
|
export const DownloadHandler: RequestHandler = async (req, res) => {
|
||||||
try {
|
try {
|
||||||
const filePath = normalizePath( req.query[ 'path' ] as string );
|
const filePath = normalizePath(req.query['path'] as string);
|
||||||
if (!filePath) {
|
if (!filePath) {
|
||||||
return sendError( res, '参数错误' );
|
return sendError(res, '参数错误');
|
||||||
}
|
}
|
||||||
|
|
||||||
const stat = await fsProm.stat(filePath);
|
const stat = await fsProm.stat(filePath);
|
||||||
|
|
||||||
res.setHeader('Content-Type', 'application/octet-stream');
|
res.setHeader('Content-Type', 'application/octet-stream');
|
||||||
@@ -327,74 +329,71 @@ export const BatchDownloadHandler: RequestHandler = async (req, res) => {
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
// 修改:使用 Buffer 转码文件名,解决文件上传时乱码问题
|
// 修改上传处理方法
|
||||||
const decodeFileName = (fileName: string): string => {
|
export const UploadHandler: RequestHandler = async (req, res) => {
|
||||||
try {
|
try {
|
||||||
return Buffer.from(fileName, 'binary').toString('utf8');
|
await diskUploader(req, res);
|
||||||
} catch {
|
return sendSuccess(res, true, '文件上传成功', true);
|
||||||
return fileName;
|
} catch (error) {
|
||||||
|
let errorMessage = '文件上传失败';
|
||||||
|
|
||||||
|
if (error instanceof multer.MulterError) {
|
||||||
|
switch (error.code) {
|
||||||
|
case 'LIMIT_FILE_SIZE':
|
||||||
|
errorMessage = '文件大小超过限制(40MB)';
|
||||||
|
break;
|
||||||
|
case 'LIMIT_UNEXPECTED_FILE':
|
||||||
|
errorMessage = '无效的文件上传字段';
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
errorMessage = `上传错误: ${error.message}`;
|
||||||
|
}
|
||||||
|
} else if (error instanceof Error) {
|
||||||
|
errorMessage = error.message;
|
||||||
|
}
|
||||||
|
return sendError(res, errorMessage, true);
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
// 修改上传处理方法
|
// 上传WebUI字体文件处理方法
|
||||||
export const UploadHandler: RequestHandler = (req, res) => {
|
export const UploadWebUIFontHandler: RequestHandler = async (req, res) => {
|
||||||
const uploadPath = (req.query['path'] || '') as string;
|
try {
|
||||||
|
await webUIFontUploader(req, res);
|
||||||
|
return sendSuccess(res, true, '字体文件上传成功', true);
|
||||||
|
} catch (error) {
|
||||||
|
let errorMessage = '字体文件上传失败';
|
||||||
|
|
||||||
const storage = multer.diskStorage({
|
if (error instanceof multer.MulterError) {
|
||||||
destination: (
|
switch (error.code) {
|
||||||
_: Request,
|
case 'LIMIT_FILE_SIZE':
|
||||||
file: Express.Multer.File,
|
errorMessage = '字体文件大小超过限制(40MB)';
|
||||||
cb: (error: Error | null, destination: string) => void
|
break;
|
||||||
) => {
|
case 'LIMIT_UNEXPECTED_FILE':
|
||||||
try {
|
errorMessage = '无效的文件上传字段';
|
||||||
const decodedName = decodeFileName(file.originalname);
|
break;
|
||||||
|
default:
|
||||||
if (!uploadPath) {
|
errorMessage = `上传错误: ${error.message}`;
|
||||||
return cb(new Error('上传路径不能为空'), '');
|
|
||||||
}
|
|
||||||
|
|
||||||
if (isWindows && uploadPath === '\\') {
|
|
||||||
return cb(new Error('根目录不允许上传文件'), '');
|
|
||||||
}
|
|
||||||
|
|
||||||
// 处理文件夹上传的情况
|
|
||||||
if (decodedName.includes('/') || decodedName.includes('\\')) {
|
|
||||||
const fullPath = path.join(uploadPath, path.dirname(decodedName));
|
|
||||||
fs.mkdirSync(fullPath, { recursive: true });
|
|
||||||
cb(null, fullPath);
|
|
||||||
} else {
|
|
||||||
cb(null, uploadPath);
|
|
||||||
}
|
|
||||||
} catch (error) {
|
|
||||||
cb(error as Error, '');
|
|
||||||
}
|
}
|
||||||
},
|
} else if (error instanceof Error) {
|
||||||
filename: (_: Request, file: Express.Multer.File, cb: (error: Error | null, filename: string) => void) => {
|
errorMessage = error.message;
|
||||||
try {
|
|
||||||
const decodedName = decodeFileName(file.originalname);
|
|
||||||
const fileName = path.basename(decodedName);
|
|
||||||
|
|
||||||
// 检查文件是否存在
|
|
||||||
const fullPath = path.join(uploadPath, decodedName);
|
|
||||||
if (fs.existsSync(fullPath)) {
|
|
||||||
const ext = path.extname(fileName);
|
|
||||||
const name = path.basename(fileName, ext);
|
|
||||||
cb(null, `${name}-${randomUUID()}${ext}`);
|
|
||||||
} else {
|
|
||||||
cb(null, fileName);
|
|
||||||
}
|
|
||||||
} catch (error) {
|
|
||||||
cb(error as Error, '');
|
|
||||||
}
|
|
||||||
},
|
|
||||||
});
|
|
||||||
|
|
||||||
const upload = multer({ storage }).array('files');
|
|
||||||
|
|
||||||
upload(req, res, (err: any) => {
|
|
||||||
if (err) {
|
|
||||||
return sendError(res, err.message || '文件上传失败');
|
|
||||||
}
|
}
|
||||||
return sendSuccess(res, true);
|
return sendError(res, errorMessage, true);
|
||||||
});
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 删除WebUI字体文件处理方法
|
||||||
|
export const DeleteWebUIFontHandler: RequestHandler = async (_req, res) => {
|
||||||
|
try {
|
||||||
|
const fontPath = WebUiConfigWrapper.GetWebUIFontPath();
|
||||||
|
const exists = await WebUiConfigWrapper.CheckWebUIFontExist();
|
||||||
|
|
||||||
|
if (!exists) {
|
||||||
|
return sendSuccess(res, true);
|
||||||
|
}
|
||||||
|
|
||||||
|
await fsProm.unlink(fontPath);
|
||||||
|
return sendSuccess(res, true);
|
||||||
|
} catch (error) {
|
||||||
|
return sendError(res, '删除字体文件失败');
|
||||||
|
}
|
||||||
};
|
};
|
||||||
|
@@ -3,7 +3,8 @@ import { sendError, sendSuccess } from '../utils/response';
|
|||||||
import { WebUiConfigWrapper } from '../helper/config';
|
import { WebUiConfigWrapper } from '../helper/config';
|
||||||
import { logSubscription } from '@/common/log';
|
import { logSubscription } from '@/common/log';
|
||||||
import { terminalManager } from '../terminal/terminal_manager';
|
import { terminalManager } from '../terminal/terminal_manager';
|
||||||
|
// 判断是否是 macos
|
||||||
|
const isMacOS = process.platform === 'darwin';
|
||||||
// 日志记录
|
// 日志记录
|
||||||
export const LogHandler: RequestHandler = async (req, res) => {
|
export const LogHandler: RequestHandler = async (req, res) => {
|
||||||
const filename = req.query['id'];
|
const filename = req.query['id'];
|
||||||
@@ -43,6 +44,9 @@ export const LogRealTimeHandler: RequestHandler = async (req, res) => {
|
|||||||
|
|
||||||
// 终端相关处理器
|
// 终端相关处理器
|
||||||
export const CreateTerminalHandler: RequestHandler = async (req, res) => {
|
export const CreateTerminalHandler: RequestHandler = async (req, res) => {
|
||||||
|
if (isMacOS) {
|
||||||
|
return sendError(res, 'MacOS不支持终端');
|
||||||
|
}
|
||||||
try {
|
try {
|
||||||
const { cols, rows } = req.body;
|
const { cols, rows } = req.body;
|
||||||
const { id } = terminalManager.createTerminal(cols, rows);
|
const { id } = terminalManager.createTerminal(cols, rows);
|
||||||
|
@@ -1,167 +1,75 @@
|
|||||||
import { webUiPathWrapper } from '@/webui';
|
import { webUiPathWrapper } from '@/webui';
|
||||||
|
import { Type, Static } from '@sinclair/typebox';
|
||||||
|
import Ajv from 'ajv';
|
||||||
import fs, { constants } from 'node:fs/promises';
|
import fs, { constants } from 'node:fs/promises';
|
||||||
import * as net from 'node:net';
|
|
||||||
import { resolve } from 'node:path';
|
import { resolve } from 'node:path';
|
||||||
|
|
||||||
// 限制尝试端口的次数,避免死循环
|
// 限制尝试端口的次数,避免死循环
|
||||||
const MAX_PORT_TRY = 100;
|
|
||||||
|
|
||||||
async function tryUseHost(host: string): Promise<string> {
|
// 定义配置的类型
|
||||||
return new Promise((resolve, reject) => {
|
const WebUiConfigSchema = Type.Object({
|
||||||
try {
|
host: Type.String({ default: '0.0.0.0' }),
|
||||||
const server = net.createServer();
|
port: Type.Number({ default: 6099 }),
|
||||||
server.on('listening', () => {
|
token: Type.String({ default: 'napcat' }),
|
||||||
server.close();
|
loginRate: Type.Number({ default: 10 }),
|
||||||
resolve(host);
|
});
|
||||||
});
|
|
||||||
|
|
||||||
server.on('error', (err: any) => {
|
export type WebUiConfigType = Static<typeof WebUiConfigSchema>;
|
||||||
if (err.code === 'EADDRNOTAVAIL') {
|
|
||||||
reject(new Error('主机地址验证失败,可能为非本机地址'));
|
|
||||||
} else {
|
|
||||||
reject(new Error(`遇到错误: ${err.code}`));
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
// 尝试监听 让系统随机分配一个端口
|
|
||||||
server.listen(0, host);
|
|
||||||
} catch (error) {
|
|
||||||
// 这里捕获到的错误应该是启动服务器时的同步错误
|
|
||||||
reject(new Error(`服务器启动时发生错误: ${error}`));
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
async function tryUsePort(port: number, host: string, tryCount: number = 0): Promise<number> {
|
|
||||||
return new Promise((resolve, reject) => {
|
|
||||||
try {
|
|
||||||
const server = net.createServer();
|
|
||||||
server.on('listening', () => {
|
|
||||||
server.close();
|
|
||||||
resolve(port);
|
|
||||||
});
|
|
||||||
|
|
||||||
server.on('error', (err: any) => {
|
|
||||||
if (err.code === 'EADDRINUSE') {
|
|
||||||
if (tryCount < MAX_PORT_TRY) {
|
|
||||||
// 使用循环代替递归
|
|
||||||
resolve(tryUsePort(port + 1, host, tryCount + 1));
|
|
||||||
} else {
|
|
||||||
reject(new Error(`端口尝试失败,达到最大尝试次数: ${MAX_PORT_TRY}`));
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
reject(new Error(`遇到错误: ${err.code}`));
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
// 尝试监听端口
|
|
||||||
server.listen(port, host);
|
|
||||||
} catch (error) {
|
|
||||||
// 这里捕获到的错误应该是启动服务器时的同步错误
|
|
||||||
reject(new Error(`服务器启动时发生错误: ${error}`));
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
// 读取当前目录下名为 webui.json 的配置文件,如果不存在则创建初始化配置文件
|
// 读取当前目录下名为 webui.json 的配置文件,如果不存在则创建初始化配置文件
|
||||||
export class WebUiConfigWrapper {
|
export class WebUiConfigWrapper {
|
||||||
WebUiConfigData: WebUiConfigType | undefined = undefined;
|
WebUiConfigData: WebUiConfigType | undefined = undefined;
|
||||||
|
|
||||||
private applyDefaults<T>(obj: Partial<T>, defaults: T): T {
|
private validateAndApplyDefaults(config: Partial<WebUiConfigType>): WebUiConfigType {
|
||||||
const result = { ...defaults } as T;
|
new Ajv({ coerceTypes: true, useDefaults: true }).compile(WebUiConfigSchema)(config);
|
||||||
for (const key in obj) {
|
return config as WebUiConfigType;
|
||||||
if (obj[key] && typeof obj[key] === 'object' && !Array.isArray(obj[key])) {
|
}
|
||||||
result[key] = this.applyDefaults(obj[key], defaults[key]);
|
|
||||||
} else if (obj[key] !== undefined) {
|
private async ensureConfigFileExists(configPath: string): Promise<void> {
|
||||||
result[key] = obj[key] as T[Extract<keyof T, string>];
|
const configExists = await fs.access(configPath, constants.F_OK).then(() => true).catch(() => false);
|
||||||
}
|
if (!configExists) {
|
||||||
|
await fs.writeFile(configPath, JSON.stringify(this.validateAndApplyDefaults({}), null, 4));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private async readAndValidateConfig(configPath: string): Promise<WebUiConfigType> {
|
||||||
|
const fileContent = await fs.readFile(configPath, 'utf-8');
|
||||||
|
return this.validateAndApplyDefaults(JSON.parse(fileContent));
|
||||||
|
}
|
||||||
|
|
||||||
|
private async writeConfig(configPath: string, config: WebUiConfigType): Promise<void> {
|
||||||
|
const hasWritePermission = await fs.access(configPath, constants.W_OK).then(() => true).catch(() => false);
|
||||||
|
if (hasWritePermission) {
|
||||||
|
await fs.writeFile(configPath, JSON.stringify(config, null, 4));
|
||||||
|
} else {
|
||||||
|
console.warn(`文件: ${configPath} 没有写入权限, 配置的更改部分可能会在重启后还原.`);
|
||||||
}
|
}
|
||||||
return result;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
async GetWebUIConfig(): Promise<WebUiConfigType> {
|
async GetWebUIConfig(): Promise<WebUiConfigType> {
|
||||||
if (this.WebUiConfigData) {
|
if (this.WebUiConfigData) {
|
||||||
return this.WebUiConfigData;
|
return this.WebUiConfigData;
|
||||||
}
|
}
|
||||||
const defaultconfig: WebUiConfigType = {
|
|
||||||
host: '0.0.0.0',
|
|
||||||
port: 6099,
|
|
||||||
token: '', // 默认先填空,空密码无法登录
|
|
||||||
loginRate: 3,
|
|
||||||
};
|
|
||||||
try {
|
|
||||||
defaultconfig.token = Math.random().toString(36).slice(2); //生成随机密码
|
|
||||||
} catch (e) {
|
|
||||||
console.log('随机密码生成失败', e);
|
|
||||||
}
|
|
||||||
try {
|
try {
|
||||||
const configPath = resolve(webUiPathWrapper.configPath, './webui.json');
|
const configPath = resolve(webUiPathWrapper.configPath, './webui.json');
|
||||||
|
await this.ensureConfigFileExists(configPath);
|
||||||
if (
|
const parsedConfig = await this.readAndValidateConfig(configPath);
|
||||||
!(await fs
|
|
||||||
.access(configPath, constants.F_OK)
|
|
||||||
.then(() => true)
|
|
||||||
.catch(() => false))
|
|
||||||
) {
|
|
||||||
await fs.writeFile(configPath, JSON.stringify(defaultconfig, null, 4));
|
|
||||||
}
|
|
||||||
|
|
||||||
const fileContent = await fs.readFile(configPath, 'utf-8');
|
|
||||||
const parsedConfig = this.applyDefaults(JSON.parse(fileContent) as Partial<WebUiConfigType>, defaultconfig);
|
|
||||||
|
|
||||||
if (
|
|
||||||
await fs
|
|
||||||
.access(configPath, constants.W_OK)
|
|
||||||
.then(() => true)
|
|
||||||
.catch(() => false)
|
|
||||||
) {
|
|
||||||
await fs.writeFile(configPath, JSON.stringify(parsedConfig, null, 4));
|
|
||||||
} else {
|
|
||||||
console.warn(`文件: ${configPath} 没有写入权限, 配置的更改部分可能会在重启后还原.`);
|
|
||||||
}
|
|
||||||
|
|
||||||
const [host_err, host] = await tryUseHost(parsedConfig.host)
|
|
||||||
.then((data) => [null, data])
|
|
||||||
.catch((err) => [err, null]);
|
|
||||||
if (host_err) {
|
|
||||||
console.log('host不可用', host_err);
|
|
||||||
parsedConfig.port = 0; // 设置为0,禁用WebUI
|
|
||||||
} else {
|
|
||||||
parsedConfig.host = host;
|
|
||||||
const [port_err, port] = await tryUsePort(parsedConfig.port, parsedConfig.host)
|
|
||||||
.then((data) => [null, data])
|
|
||||||
.catch((err) => [err, null]);
|
|
||||||
if (port_err) {
|
|
||||||
console.log('port不可用', port_err);
|
|
||||||
parsedConfig.port = 0; // 设置为0,禁用WebUI
|
|
||||||
} else {
|
|
||||||
parsedConfig.port = port;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
this.WebUiConfigData = parsedConfig;
|
this.WebUiConfigData = parsedConfig;
|
||||||
return this.WebUiConfigData;
|
return this.WebUiConfigData;
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
console.log('读取配置文件失败', e);
|
console.log('读取配置文件失败', e);
|
||||||
|
return this.validateAndApplyDefaults({});
|
||||||
}
|
}
|
||||||
return defaultconfig; // 理论上这行代码到不了,到了只能返回默认配置了
|
|
||||||
}
|
}
|
||||||
|
|
||||||
async UpdateWebUIConfig(newConfig: Partial<WebUiConfigType>): Promise<void> {
|
async UpdateWebUIConfig(newConfig: Partial<WebUiConfigType>): Promise<void> {
|
||||||
const configPath = resolve(webUiPathWrapper.configPath, './webui.json');
|
const configPath = resolve(webUiPathWrapper.configPath, './webui.json');
|
||||||
const currentConfig = await this.GetWebUIConfig();
|
const currentConfig = await this.GetWebUIConfig();
|
||||||
const updatedConfig = this.applyDefaults(newConfig, currentConfig);
|
const updatedConfig = this.validateAndApplyDefaults({ ...currentConfig, ...newConfig });
|
||||||
|
await this.writeConfig(configPath, updatedConfig);
|
||||||
if (
|
this.WebUiConfigData = updatedConfig;
|
||||||
await fs
|
|
||||||
.access(configPath, constants.W_OK)
|
|
||||||
.then(() => true)
|
|
||||||
.catch(() => false)
|
|
||||||
) {
|
|
||||||
await fs.writeFile(configPath, JSON.stringify(updatedConfig, null, 4));
|
|
||||||
this.WebUiConfigData = updatedConfig;
|
|
||||||
} else {
|
|
||||||
console.warn(`文件: ${configPath} 没有写入权限, 配置的更改部分可能会在重启后还原.`);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
async UpdateToken(oldToken: string, newToken: string): Promise<void> {
|
async UpdateToken(oldToken: string, newToken: string): Promise<void> {
|
||||||
@@ -176,31 +84,45 @@ export class WebUiConfigWrapper {
|
|||||||
public static async GetLogsPath(): Promise<string> {
|
public static async GetLogsPath(): Promise<string> {
|
||||||
return resolve(webUiPathWrapper.logsPath);
|
return resolve(webUiPathWrapper.logsPath);
|
||||||
}
|
}
|
||||||
|
|
||||||
// 获取日志列表
|
// 获取日志列表
|
||||||
public static async GetLogsList(): Promise<string[]> {
|
public static async GetLogsList(): Promise<string[]> {
|
||||||
if (
|
const logsPath = resolve(webUiPathWrapper.logsPath);
|
||||||
await fs
|
const logsExist = await fs.access(logsPath, constants.F_OK).then(() => true).catch(() => false);
|
||||||
.access(webUiPathWrapper.logsPath, constants.F_OK)
|
if (logsExist) {
|
||||||
.then(() => true)
|
return (await fs.readdir(logsPath)).filter(file => file.endsWith('.log')).map(file => file.replace('.log', ''));
|
||||||
.catch(() => false)
|
|
||||||
) {
|
|
||||||
return (await fs.readdir(webUiPathWrapper.logsPath))
|
|
||||||
.filter((file) => file.endsWith('.log'))
|
|
||||||
.map((file) => file.replace('.log', ''));
|
|
||||||
}
|
}
|
||||||
return [];
|
return [];
|
||||||
}
|
}
|
||||||
|
|
||||||
// 获取指定日志文件内容
|
// 获取指定日志文件内容
|
||||||
public static async GetLogContent(filename: string): Promise<string> {
|
public static async GetLogContent(filename: string): Promise<string> {
|
||||||
const logPath = resolve(webUiPathWrapper.logsPath, `${filename}.log`);
|
const logPath = resolve(webUiPathWrapper.logsPath, `${filename}.log`);
|
||||||
if (
|
const logExists = await fs.access(logPath, constants.R_OK).then(() => true).catch(() => false);
|
||||||
await fs
|
if (logExists) {
|
||||||
.access(logPath, constants.R_OK)
|
|
||||||
.then(() => true)
|
|
||||||
.catch(() => false)
|
|
||||||
) {
|
|
||||||
return await fs.readFile(logPath, 'utf-8');
|
return await fs.readFile(logPath, 'utf-8');
|
||||||
}
|
}
|
||||||
return '';
|
return '';
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
// 获取字体文件夹内的字体列表
|
||||||
|
public static async GetFontList(): Promise<string[]> {
|
||||||
|
const fontsPath = resolve(webUiPathWrapper.configPath, './fonts');
|
||||||
|
const fontsExist = await fs.access(fontsPath, constants.F_OK).then(() => true).catch(() => false);
|
||||||
|
if (fontsExist) {
|
||||||
|
return (await fs.readdir(fontsPath)).filter(file => file.endsWith('.ttf'));
|
||||||
|
}
|
||||||
|
return [];
|
||||||
|
}
|
||||||
|
|
||||||
|
// 判断字体是否存在(webui.woff)
|
||||||
|
public static async CheckWebUIFontExist(): Promise<boolean> {
|
||||||
|
const fontsPath = resolve(webUiPathWrapper.configPath, './fonts');
|
||||||
|
return await fs.access(resolve(fontsPath, './webui.woff'), constants.F_OK).then(() => true).catch(() => false);
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取webui字体文件路径
|
||||||
|
public static GetWebUIFontPath(): string {
|
||||||
|
return resolve(webUiPathWrapper.configPath, './fonts/webui.woff');
|
||||||
|
}
|
||||||
|
}
|
@@ -13,7 +13,9 @@ import {
|
|||||||
BatchMoveHandler,
|
BatchMoveHandler,
|
||||||
DownloadHandler,
|
DownloadHandler,
|
||||||
BatchDownloadHandler, // 新增下载处理方法
|
BatchDownloadHandler, // 新增下载处理方法
|
||||||
UploadHandler, // 添加上传处理器
|
UploadHandler,
|
||||||
|
UploadWebUIFontHandler,
|
||||||
|
DeleteWebUIFontHandler, // 添加上传处理器
|
||||||
} from '../api/File';
|
} from '../api/File';
|
||||||
|
|
||||||
const router = Router();
|
const router = Router();
|
||||||
@@ -21,6 +23,9 @@ const router = Router();
|
|||||||
const apiLimiter = rateLimit({
|
const apiLimiter = rateLimit({
|
||||||
windowMs: 1 * 60 * 1000, // 1分钟内
|
windowMs: 1 * 60 * 1000, // 1分钟内
|
||||||
max: 60, // 最大60个请求
|
max: 60, // 最大60个请求
|
||||||
|
validate: {
|
||||||
|
xForwardedForHeader: false,
|
||||||
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
router.use(apiLimiter);
|
router.use(apiLimiter);
|
||||||
@@ -37,5 +42,8 @@ router.post('/move', MoveHandler);
|
|||||||
router.post('/batchMove', BatchMoveHandler);
|
router.post('/batchMove', BatchMoveHandler);
|
||||||
router.post('/download', DownloadHandler);
|
router.post('/download', DownloadHandler);
|
||||||
router.post('/batchDownload', BatchDownloadHandler);
|
router.post('/batchDownload', BatchDownloadHandler);
|
||||||
router.post('/upload', UploadHandler); // 添加上传处理路由
|
router.post('/upload', UploadHandler);
|
||||||
|
|
||||||
|
router.post('/font/upload/webui', UploadWebUIFontHandler);
|
||||||
|
router.post('/font/delete/webui', DeleteWebUIFontHandler);
|
||||||
export { router as FileRouter };
|
export { router as FileRouter };
|
||||||
|
@@ -1,6 +1,12 @@
|
|||||||
import { Router } from 'express';
|
import { Router } from 'express';
|
||||||
|
|
||||||
import { checkHandler, LoginHandler, LogoutHandler, UpdateTokenHandler } from '@webapi/api/Auth';
|
import {
|
||||||
|
CheckDefaultTokenHandler,
|
||||||
|
checkHandler,
|
||||||
|
LoginHandler,
|
||||||
|
LogoutHandler,
|
||||||
|
UpdateTokenHandler,
|
||||||
|
} from '@webapi/api/Auth';
|
||||||
|
|
||||||
const router = Router();
|
const router = Router();
|
||||||
// router:登录
|
// router:登录
|
||||||
@@ -11,5 +17,7 @@ router.post('/check', checkHandler);
|
|||||||
router.post('/logout', LogoutHandler);
|
router.post('/logout', LogoutHandler);
|
||||||
// router:更新token
|
// router:更新token
|
||||||
router.post('/update_token', UpdateTokenHandler);
|
router.post('/update_token', UpdateTokenHandler);
|
||||||
|
// router:检查默认token
|
||||||
|
router.get('/check_using_default_token', CheckDefaultTokenHandler);
|
||||||
|
|
||||||
export { router as AuthRouter };
|
export { router as AuthRouter };
|
||||||
|
85
src/webui/src/uploader/disk.ts
Normal file
85
src/webui/src/uploader/disk.ts
Normal file
@@ -0,0 +1,85 @@
|
|||||||
|
import multer from 'multer';
|
||||||
|
import { Request, Response } from 'express';
|
||||||
|
import fs from 'fs';
|
||||||
|
import path from 'path';
|
||||||
|
import { randomUUID } from 'crypto';
|
||||||
|
const isWindows = process.platform === 'win32';
|
||||||
|
|
||||||
|
// 修改:使用 Buffer 转码文件名,解决文件上传时乱码问题
|
||||||
|
const decodeFileName = (fileName: string): string => {
|
||||||
|
try {
|
||||||
|
return Buffer.from(fileName, 'binary').toString('utf8');
|
||||||
|
} catch {
|
||||||
|
return fileName;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const createDiskStorage = (uploadPath: string) => {
|
||||||
|
return multer.diskStorage({
|
||||||
|
destination: (
|
||||||
|
_: Request,
|
||||||
|
file: Express.Multer.File,
|
||||||
|
cb: (error: Error | null, destination: string) => void
|
||||||
|
) => {
|
||||||
|
try {
|
||||||
|
const decodedName = decodeFileName(file.originalname);
|
||||||
|
|
||||||
|
if (!uploadPath) {
|
||||||
|
return cb(new Error('上传路径不能为空'), '');
|
||||||
|
}
|
||||||
|
|
||||||
|
if (isWindows && uploadPath === '\\') {
|
||||||
|
return cb(new Error('根目录不允许上传文件'), '');
|
||||||
|
}
|
||||||
|
|
||||||
|
// 处理文件夹上传的情况
|
||||||
|
if (decodedName.includes('/') || decodedName.includes('\\')) {
|
||||||
|
const fullPath = path.join(uploadPath, path.dirname(decodedName));
|
||||||
|
fs.mkdirSync(fullPath, { recursive: true });
|
||||||
|
cb(null, fullPath);
|
||||||
|
} else {
|
||||||
|
cb(null, uploadPath);
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
cb(error as Error, '');
|
||||||
|
}
|
||||||
|
},
|
||||||
|
filename: (_: Request, file: Express.Multer.File, cb: (error: Error | null, filename: string) => void) => {
|
||||||
|
try {
|
||||||
|
const decodedName = decodeFileName(file.originalname);
|
||||||
|
const fileName = path.basename(decodedName);
|
||||||
|
|
||||||
|
// 检查文件是否存在
|
||||||
|
const fullPath = path.join(uploadPath, decodedName);
|
||||||
|
if (fs.existsSync(fullPath)) {
|
||||||
|
const ext = path.extname(fileName);
|
||||||
|
const name = path.basename(fileName, ext);
|
||||||
|
cb(null, `${name}-${randomUUID()}${ext}`);
|
||||||
|
} else {
|
||||||
|
cb(null, fileName);
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
cb(error as Error, '');
|
||||||
|
}
|
||||||
|
},
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
export const createDiskUpload = (uploadPath: string) => {
|
||||||
|
const upload = multer({ storage: createDiskStorage(uploadPath) }).array('files');
|
||||||
|
return upload;
|
||||||
|
};
|
||||||
|
|
||||||
|
const diskUploader = (req: Request, res: Response) => {
|
||||||
|
const uploadPath = (req.query['path'] || '') as string;
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
createDiskUpload(uploadPath)(req, res, (error) => {
|
||||||
|
if (error) {
|
||||||
|
// 错误处理
|
||||||
|
return reject(error);
|
||||||
|
}
|
||||||
|
return resolve(true);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
};
|
||||||
|
export default diskUploader;
|
52
src/webui/src/uploader/webui_font.ts
Normal file
52
src/webui/src/uploader/webui_font.ts
Normal file
@@ -0,0 +1,52 @@
|
|||||||
|
import multer from 'multer';
|
||||||
|
import { WebUiConfigWrapper } from '../helper/config';
|
||||||
|
import path from 'path';
|
||||||
|
import fs from 'fs';
|
||||||
|
import type { Request, Response } from 'express';
|
||||||
|
|
||||||
|
export const webUIFontStorage = multer.diskStorage({
|
||||||
|
destination: (_, __, cb) => {
|
||||||
|
try {
|
||||||
|
const fontsPath = path.dirname(WebUiConfigWrapper.GetWebUIFontPath());
|
||||||
|
// 确保字体目录存在
|
||||||
|
fs.mkdirSync(fontsPath, { recursive: true });
|
||||||
|
cb(null, fontsPath);
|
||||||
|
} catch (error) {
|
||||||
|
// 确保错误信息被正确传递
|
||||||
|
cb(new Error(`创建字体目录失败:${(error as Error).message}`), '');
|
||||||
|
}
|
||||||
|
},
|
||||||
|
filename: (_, __, cb) => {
|
||||||
|
// 统一保存为webui.woff
|
||||||
|
cb(null, 'webui.woff');
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
export const webUIFontUpload = multer({
|
||||||
|
storage: webUIFontStorage,
|
||||||
|
fileFilter: (_, file, cb) => {
|
||||||
|
// 再次验证文件类型
|
||||||
|
if (!file.originalname.toLowerCase().endsWith('.woff')) {
|
||||||
|
cb(new Error('只支持WOFF格式的字体文件'));
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
cb(null, true);
|
||||||
|
},
|
||||||
|
limits: {
|
||||||
|
fileSize: 40 * 1024 * 1024, // 限制40MB
|
||||||
|
},
|
||||||
|
}).single('file');
|
||||||
|
|
||||||
|
const webUIFontUploader = (req: Request, res: Response) => {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
webUIFontUpload(req, res, (error) => {
|
||||||
|
if (error) {
|
||||||
|
// 错误处理
|
||||||
|
// sendError(res, error.message, true);
|
||||||
|
return reject(error);
|
||||||
|
}
|
||||||
|
return resolve(true);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
};
|
||||||
|
export default webUIFontUploader;
|
@@ -2,25 +2,46 @@ import type { Response } from 'express';
|
|||||||
|
|
||||||
import { ResponseCode, HttpStatusCode } from '@webapi/const/status';
|
import { ResponseCode, HttpStatusCode } from '@webapi/const/status';
|
||||||
|
|
||||||
export const sendResponse = <T>(res: Response, data?: T, code: ResponseCode = 0, message = 'success') => {
|
export const sendResponse = <T>(
|
||||||
res.status(HttpStatusCode.OK).json({
|
res: Response,
|
||||||
|
data?: T,
|
||||||
|
code: ResponseCode = 0,
|
||||||
|
message = 'success',
|
||||||
|
useSend: boolean = false
|
||||||
|
) => {
|
||||||
|
const result = {
|
||||||
code,
|
code,
|
||||||
message,
|
message,
|
||||||
data,
|
data,
|
||||||
});
|
};
|
||||||
|
if (useSend) {
|
||||||
|
res.status(HttpStatusCode.OK).send(JSON.stringify(result));
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
res.status(HttpStatusCode.OK).json(result);
|
||||||
};
|
};
|
||||||
|
|
||||||
export const sendError = (res: Response, message = 'error') => {
|
export const sendError = (res: Response, message = 'error', useSend: boolean = false) => {
|
||||||
res.status(HttpStatusCode.OK).json({
|
const result = {
|
||||||
code: ResponseCode.Error,
|
code: ResponseCode.Error,
|
||||||
message,
|
message,
|
||||||
});
|
};
|
||||||
|
if (useSend) {
|
||||||
|
res.status(HttpStatusCode.OK).send(JSON.stringify(result));
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
res.status(HttpStatusCode.OK).json(result);
|
||||||
};
|
};
|
||||||
|
|
||||||
export const sendSuccess = <T>(res: Response, data?: T, message = 'success') => {
|
export const sendSuccess = <T>(res: Response, data?: T, message = 'success', useSend: boolean = false) => {
|
||||||
res.status(HttpStatusCode.OK).json({
|
const result = {
|
||||||
code: ResponseCode.Success,
|
code: ResponseCode.Success,
|
||||||
data,
|
data,
|
||||||
message,
|
message,
|
||||||
});
|
};
|
||||||
|
if (useSend) {
|
||||||
|
res.status(HttpStatusCode.OK).send(JSON.stringify(result));
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
res.status(HttpStatusCode.OK).json(result);
|
||||||
};
|
};
|
||||||
|
Reference in New Issue
Block a user