feat: 拆分文本账单结算

This commit is contained in:
archer
2023-03-25 23:02:55 +08:00
parent 02cee35a45
commit 75cf3d1e9f
17 changed files with 191 additions and 89 deletions

View File

@@ -1,5 +1,16 @@
export enum BillTypeEnum {
chat = 'chat',
splitData = 'splitData',
return = 'return'
}
export enum PageTypeEnum { export enum PageTypeEnum {
login = 'login', login = 'login',
register = 'register', register = 'register',
forgetPassword = 'forgetPassword' forgetPassword = 'forgetPassword'
} }
export const BillTypeMap: Record<`${BillTypeEnum}`, string> = {
[BillTypeEnum.chat]: '对话',
[BillTypeEnum.splitData]: '文本拆分',
[BillTypeEnum.return]: '退款'
};

View File

@@ -9,7 +9,7 @@ import { jsonRes } from '@/service/response';
import type { ModelSchema } from '@/types/mongoSchema'; import type { ModelSchema } from '@/types/mongoSchema';
import { PassThrough } from 'stream'; import { PassThrough } from 'stream';
import { modelList } from '@/constants/model'; import { modelList } from '@/constants/model';
import { pushBill } from '@/service/events/pushChatBill'; import { pushChatBill } from '@/service/events/pushBill';
/* 发送提示词 */ /* 发送提示词 */
export default async function handler(req: NextApiRequest, res: NextApiResponse) { export default async function handler(req: NextApiRequest, res: NextApiResponse) {
@@ -91,7 +91,8 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
messages: formatPrompts, messages: formatPrompts,
frequency_penalty: 0.5, // 越大,重复内容越少 frequency_penalty: 0.5, // 越大,重复内容越少
presence_penalty: -0.5, // 越大,越容易出现新内容 presence_penalty: -0.5, // 越大,越容易出现新内容
stream: true stream: true,
stop: ['。!?.!.']
}, },
{ {
timeout: 40000, timeout: 40000,
@@ -149,7 +150,7 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
const promptsContent = formatPrompts.map((item) => item.content).join(''); const promptsContent = formatPrompts.map((item) => item.content).join('');
// 只有使用平台的 key 才计费 // 只有使用平台的 key 才计费
!userApiKey && !userApiKey &&
pushBill({ pushChatBill({
modelName: model.service.modelName, modelName: model.service.modelName,
userId, userId,
chatId, chatId,

View File

@@ -8,7 +8,7 @@ import { jsonRes } from '@/service/response';
import type { ModelSchema } from '@/types/mongoSchema'; import type { ModelSchema } from '@/types/mongoSchema';
import { PassThrough } from 'stream'; import { PassThrough } from 'stream';
import { modelList } from '@/constants/model'; import { modelList } from '@/constants/model';
import { pushBill } from '@/service/events/pushChatBill'; import { pushChatBill } from '@/service/events/pushBill';
/* 发送提示词 */ /* 发送提示词 */
export default async function handler(req: NextApiRequest, res: NextApiResponse) { export default async function handler(req: NextApiRequest, res: NextApiResponse) {
@@ -142,7 +142,7 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
// 只有使用平台的 key 才计费 // 只有使用平台的 key 才计费
!userApiKey && !userApiKey &&
pushBill({ pushChatBill({
modelName: model.service.modelName, modelName: model.service.modelName,
userId, userId,
chatId, chatId,

View File

@@ -1,7 +1,7 @@
// Next.js API route support: https://nextjs.org/docs/api-routes/introduction // Next.js API route support: https://nextjs.org/docs/api-routes/introduction
import type { NextApiRequest, NextApiResponse } from 'next'; import type { NextApiRequest, NextApiResponse } from 'next';
import { jsonRes } from '@/service/response'; import { jsonRes } from '@/service/response';
import { connectToDatabase, Data } from '@/service/mongo'; import { connectToDatabase, Data, DataItem } from '@/service/mongo';
import { authToken } from '@/service/utils/tools'; import { authToken } from '@/service/utils/tools';
import type { DataListItem } from '@/types/data'; import type { DataListItem } from '@/types/data';
import type { PagingData } from '@/types'; import type { PagingData } from '@/types';
@@ -27,6 +27,16 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
isDeleted: true isDeleted: true
}); });
// 改变 dataItem 状态为 0
await DataItem.updateMany(
{
dataId
},
{
status: 0
}
);
jsonRes<PagingData<DataListItem>>(res); jsonRes<PagingData<DataListItem>>(res);
} catch (err) { } catch (err) {
jsonRes(res, { jsonRes(res, {

View File

@@ -26,7 +26,7 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
dataId, dataId,
status: 0 status: 0
}) })
.sort({ time: -1 }) // 按照创建时间倒序排列 .sort({ _id: -1 }) // 按照创建时间倒序排列
.skip((pageNum - 1) * pageSize) .skip((pageNum - 1) * pageSize)
.limit(pageSize); .limit(pageSize);

View File

@@ -58,7 +58,7 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
$filter: { $filter: {
input: '$items', input: '$items',
as: 'item', as: 'item',
cond: { $eq: ['$$item.status', 1] } // 统计status为1的数量 cond: { $ne: ['$$item.status', 0] } // 统计 status 不为0的数量
} }
} }
} }

View File

@@ -25,7 +25,7 @@ export default async function handler(req: NextApiRequest, res: NextApiResponse)
const bills = await Bill.find<BillSchema>({ const bills = await Bill.find<BillSchema>({
userId userId
}) })
.sort({ time: -1 }) // 按照创建时间倒序排列 .sort({ _id: -1 }) // 按照创建时间倒序排列
.skip((pageNum - 1) * pageSize) .skip((pageNum - 1) * pageSize)
.limit(pageSize); .limit(pageSize);

View File

@@ -8,7 +8,6 @@ import {
ModalBody, ModalBody,
ModalCloseButton, ModalCloseButton,
Button, Button,
Input,
Box, Box,
Flex, Flex,
Textarea Textarea
@@ -21,10 +20,20 @@ import { postSplitData } from '@/api/data';
import { useMutation } from '@tanstack/react-query'; import { useMutation } from '@tanstack/react-query';
import { useToast } from '@/hooks/useToast'; import { useToast } from '@/hooks/useToast';
import { useLoading } from '@/hooks/useLoading'; import { useLoading } from '@/hooks/useLoading';
import { formatPrice } from '@/utils/user';
import { modelList, ChatModelNameEnum } from '@/constants/model';
const fileExtension = '.txt,.doc,.docx,.pdf,.md'; const fileExtension = '.txt,.doc,.docx,.pdf,.md';
const ImportDataModal = ({ dataId, onClose }: { dataId: string; onClose: () => void }) => { const ImportDataModal = ({
dataId,
onClose,
onSuccess
}: {
dataId: string;
onClose: () => void;
onSuccess: () => void;
}) => {
const { openConfirm, ConfirmChild } = useConfirm({ const { openConfirm, ConfirmChild } = useConfirm({
content: '确认提交生成任务?该任务无法终止!' content: '确认提交生成任务?该任务无法终止!'
}); });
@@ -60,6 +69,7 @@ const ImportDataModal = ({ dataId, onClose }: { dataId: string; onClose: () => v
status: 'success' status: 'success'
}); });
onClose(); onClose();
onSuccess();
}, },
onError(err: any) { onError(err: any) {
toast({ toast({
@@ -110,7 +120,16 @@ const ImportDataModal = ({ dataId, onClose }: { dataId: string; onClose: () => v
<Modal isOpen={true} onClose={onClose}> <Modal isOpen={true} onClose={onClose}>
<ModalOverlay /> <ModalOverlay />
<ModalContent position={'relative'} maxW={['90vw', '800px']}> <ModalContent position={'relative'} maxW={['90vw', '800px']}>
<ModalHeader>QA</ModalHeader> <ModalHeader>
QA
<Box ml={2} as={'span'} fontSize={'sm'} color={'blackAlpha.600'}>
{formatPrice(
modelList.find((item) => item.model === ChatModelNameEnum.GPT35)?.price || 0,
1000
)}
/1K tokens
</Box>
</ModalHeader>
<ModalCloseButton /> <ModalCloseButton />
<ModalBody display={'flex'}> <ModalBody display={'flex'}>
@@ -132,13 +151,16 @@ const ImportDataModal = ({ dataId, onClose }: { dataId: string; onClose: () => v
<Box flex={'1 0 0'} w={0} ml={3} minH={'200px'}> <Box flex={'1 0 0'} w={0} ml={3} minH={'200px'}>
{activeTab === 'text' && ( {activeTab === 'text' && (
<Textarea <>
h={'100%'} <Textarea
maxLength={-1} h={'100%'}
value={textInput} maxLength={-1}
placeholder={'请粘贴或输入需要处理的文本'} value={textInput}
onChange={(e) => setTextInput(e.target.value)} placeholder={'请粘贴或输入需要处理的文本'}
/> onChange={(e) => setTextInput(e.target.value)}
/>
<Box mt={2}> {textInput.length} </Box>
</>
)} )}
{activeTab === 'doc' && ( {activeTab === 'doc' && (
<Flex <Flex

View File

@@ -209,7 +209,11 @@ const DataList = () => {
</Card> </Card>
{ImportDataId && ( {ImportDataId && (
<ImportDataModal dataId={ImportDataId} onClose={() => setImportDataId(undefined)} /> <ImportDataModal
dataId={ImportDataId}
onClose={() => setImportDataId(undefined)}
onSuccess={() => getData(1, true)}
/>
)} )}
{isOpenCreateDataModal && ( {isOpenCreateDataModal && (
<CreateDataModal onClose={onCloseCreateDataModal} onSuccess={() => getData(1, true)} /> <CreateDataModal onClose={onCloseCreateDataModal} onSuccess={() => getData(1, true)} />

View File

@@ -33,6 +33,7 @@ import dayjs from 'dayjs';
import { formatPrice } from '@/utils/user'; import { formatPrice } from '@/utils/user';
import WxConcat from '@/components/WxConcat'; import WxConcat from '@/components/WxConcat';
import ScrollData from '@/components/ScrollData'; import ScrollData from '@/components/ScrollData';
import { BillTypeMap } from '@/constants/user';
const PayModal = dynamic(() => import('./components/PayModal')); const PayModal = dynamic(() => import('./components/PayModal'));
@@ -266,6 +267,7 @@ const NumberSetting = () => {
<Thead> <Thead>
<Tr> <Tr>
<Th></Th> <Th></Th>
<Th></Th>
<Th></Th> <Th></Th>
<Th>Tokens </Th> <Th>Tokens </Th>
<Th></Th> <Th></Th>
@@ -275,6 +277,7 @@ const NumberSetting = () => {
{bills.map((item) => ( {bills.map((item) => (
<Tr key={item.id}> <Tr key={item.id}>
<Td>{item.time}</Td> <Td>{item.time}</Td>
<Td>{BillTypeMap[item.type]}</Td>
<Td>{item.textLen}</Td> <Td>{item.textLen}</Td>
<Td>{item.tokenLen}</Td> <Td>{item.tokenLen}</Td>
<Td>{item.price}</Td> <Td>{item.price}</Td>

View File

@@ -4,6 +4,7 @@ import { httpsAgent, getOpenApiKey } from '@/service/utils/tools';
import type { ChatCompletionRequestMessage } from 'openai'; import type { ChatCompletionRequestMessage } from 'openai';
import { DataItemSchema } from '@/types/mongoSchema'; import { DataItemSchema } from '@/types/mongoSchema';
import { ChatModelNameEnum } from '@/constants/model'; import { ChatModelNameEnum } from '@/constants/model';
import { pushSplitDataBill } from '@/service/events/pushBill';
export async function generateQA(next = false): Promise<any> { export async function generateQA(next = false): Promise<any> {
if (global.generatingQA && !next) return; if (global.generatingQA && !next) return;
@@ -83,20 +84,21 @@ export async function generateQA(next = false): Promise<any> {
const splitResponse = splitText(content || ''); const splitResponse = splitText(content || '');
// 插入数据库,并修改状态 // 插入数据库,并修改状态
await DataItem.findByIdAndUpdate(dataItem._id, { await DataItem.findByIdAndUpdate(dataItem._id, {
status: dataItem.temperature >= 80 ? 0 : 1, // 需要生成 5 组内容。0,0.2,0.4,0.6,0.8 status: dataItem.temperature >= 90 ? 0 : 1, // 需要生成 4 组内容。0,0.3,0.6,0.9
temperature: dataItem.temperature >= 80 ? dataItem.temperature : dataItem.temperature + 20, temperature: dataItem.temperature >= 90 ? dataItem.temperature : dataItem.temperature + 30,
$push: { $push: {
result: { result: {
$each: splitResponse $each: splitResponse
} }
} }
}); });
console.log( // 计费
'生成成功time:', !userApiKey &&
`${(Date.now() - startTime) / 1000}s`, pushSplitDataBill({
'result length: ', userId: dataItem.userId,
splitResponse.length text: systemPrompt.content + dataItem.text + content
); });
console.log('生成QA成功time:', `${(Date.now() - startTime) / 1000}s`);
} catch (error: any) { } catch (error: any) {
console.log('error: 生成QA错误', dataItem?._id); console.log('error: 生成QA错误', dataItem?._id);
console.log('response:', error?.response); console.log('response:', error?.response);

View File

@@ -0,0 +1,105 @@
import { connectToDatabase, Bill, User } from '../mongo';
import { modelList, ChatModelNameEnum } from '@/constants/model';
import { encode } from 'gpt-token-utils';
import { formatPrice } from '@/utils/user';
export const pushChatBill = async ({
modelName,
userId,
chatId,
text
}: {
modelName: string;
userId: string;
chatId: string;
text: string;
}) => {
await connectToDatabase();
let billId;
try {
// 获取模型单价格
const modelItem = modelList.find((item) => item.model === modelName);
const unitPrice = modelItem?.price || 5;
// 计算 token 数量
const tokens = encode(text);
// 计算价格
const price = unitPrice * tokens.length;
console.log('chat bill');
console.log('token len:', tokens.length);
console.log('text len: ', text.length);
console.log('price: ', `${formatPrice(price)}`);
try {
// 插入 Bill 记录
const res = await Bill.create({
userId,
type: 'chat',
modelName,
chatId,
textLen: text.length,
tokenLen: tokens.length,
price
});
billId = res._id;
// 账号扣费
await User.findByIdAndUpdate(userId, {
$inc: { balance: -price }
});
} catch (error) {
console.log('创建账单失败:', error);
billId && Bill.findByIdAndDelete(billId);
}
} catch (error) {
console.log(error);
}
};
export const pushSplitDataBill = async ({ userId, text }: { userId: string; text: string }) => {
await connectToDatabase();
let billId;
try {
// 获取模型单价格, 都是用 gpt35 拆分
const modelItem = modelList.find((item) => item.model === ChatModelNameEnum.GPT35);
const unitPrice = modelItem?.price || 5;
// 计算 token 数量
const tokens = encode(text);
// 计算价格
const price = unitPrice * tokens.length;
console.log('splitData bill');
console.log('token len:', tokens.length);
console.log('text len: ', text.length);
console.log('price: ', `${formatPrice(price)}`);
try {
// 插入 Bill 记录
const res = await Bill.create({
userId,
type: 'splitData',
modelName: ChatModelNameEnum.GPT35,
textLen: text.length,
tokenLen: tokens.length,
price
});
billId = res._id;
// 账号扣费
await User.findByIdAndUpdate(userId, {
$inc: { balance: -price }
});
} catch (error) {
console.log('创建账单失败:', error);
billId && Bill.findByIdAndDelete(billId);
}
} catch (error) {
console.log(error);
}
};

View File

@@ -1,58 +0,0 @@
import { connectToDatabase, Bill, User } from '../mongo';
import { modelList } from '@/constants/model';
import { encode } from 'gpt-token-utils';
import { formatPrice } from '@/utils/user';
export const pushBill = async ({
modelName,
userId,
chatId,
text
}: {
modelName: string;
userId: string;
chatId: string;
text: string;
}) => {
await connectToDatabase();
let billId;
try {
// 获取模型单价格
const modelItem = modelList.find((item) => item.model === modelName);
const unitPrice = modelItem?.price || 5;
// 计算 token 数量
const tokens = encode(text);
// 计算价格
const price = unitPrice * tokens.length;
console.log('token len:', tokens.length);
console.log('text len: ', text.length);
console.log('price: ', `${formatPrice(price)}`);
try {
// 插入 Bill 记录
const res = await Bill.create({
userId,
type: 'chat',
modelName,
chatId,
textLen: text.length,
tokenLen: tokens.length,
price
});
billId = res._id;
// 账号扣费
await User.findByIdAndUpdate(userId, {
$inc: { balance: -price }
});
} catch (error) {
billId && Bill.findByIdAndDelete(billId);
}
} catch (error) {
console.log(error);
}
};

View File

@@ -10,7 +10,7 @@ const BillSchema = new Schema({
}, },
type: { type: {
type: String, type: String,
enum: ['chat', 'generateData', 'return'], enum: ['chat', 'splitData', 'return'],
required: true required: true
}, },
modelName: { modelName: {
@@ -20,8 +20,7 @@ const BillSchema = new Schema({
}, },
chatId: { chatId: {
type: Schema.Types.ObjectId, type: Schema.Types.ObjectId,
ref: 'chat', ref: 'chat'
required: true
}, },
time: { time: {
type: Date, type: Date,

View File

@@ -80,6 +80,7 @@ export interface ChatPopulate extends ChatSchema {
export interface BillSchema { export interface BillSchema {
_id: string; _id: string;
userId: string; userId: string;
type: 'chat' | 'splitData' | 'return';
chatId: string; chatId: string;
time: Date; time: Date;
textLen: number; textLen: number;

1
src/types/user.d.ts vendored
View File

@@ -24,6 +24,7 @@ export interface UserUpdateParams {
export interface UserBillType { export interface UserBillType {
id: string; id: string;
time: string; time: string;
type: 'chat' | 'splitData' | 'return';
textLen: number; textLen: number;
tokenLen: number; tokenLen: number;
userId: string; userId: string;

View File

@@ -6,6 +6,7 @@ import type { UserBillType } from '@/types/user';
export const adaptBill = (bill: BillSchema): UserBillType => { export const adaptBill = (bill: BillSchema): UserBillType => {
return { return {
id: bill._id, id: bill._id,
type: bill.type,
userId: bill.userId, userId: bill.userId,
chatId: bill.chatId, chatId: bill.chatId,
time: dayjs(bill.time).format('YYYY/MM/DD HH:mm:ss'), time: dayjs(bill.time).format('YYYY/MM/DD HH:mm:ss'),