从零搭建基于 AI 问答平台(8) 定义 OpenAI 格式接口 (使用Deepseek 接口)

效果

实现步骤如下:

添加 gpt 模块

注意,我们这里将 openai 的接口换成了 deepseek 的,他们都兼容 openai 接口格式,试了一下,完全没有问题,完美替换。
添加 src/lib/gpt.ts:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
import OpenAI  from "openai";

const openai = new OpenAI({
baseURL: 'https://api.deepseek.com',
apiKey: process.env.OPENAI_API_KEY,
});


interface OutputFormat {
[key: string]: string | string[] | OutputFormat;
}

export async function strict_output(
system_prompt: string,
user_prompt: string | string[],
output_format: OutputFormat,
default_category: string = "",
output_value_only: boolean = false,
model: string = "deepseek-chat",
temperature: number = 1,
num_tries: number = 3,
verbose: boolean = false
): Promise<
{
question: string;
answer: string;
}[]
> {
// if the user input is in a list, we also process the output as a list of json
const list_input: boolean = Array.isArray(user_prompt);
// if the output format contains dynamic elements of < or >, then add to the prompt to handle dynamic elements
const dynamic_elements: boolean = /<.*?>/.test(JSON.stringify(output_format));
// if the output format contains list elements of [ or ], then we add to the prompt to handle lists
const list_output: boolean = /\[.*?\]/.test(JSON.stringify(output_format));

// start off with no error message
let error_msg: string = "";

for (let i = 0; i < num_tries; i++) {
let output_format_prompt: string = `\nYou are to output the following in json format: ${JSON.stringify(
output_format
)}. \nDo not put quotation marks or escape character \\ in the output fields.`;

if (list_output) {
output_format_prompt += `\nIf output field is a list, classify output into the best element of the list.`;
}

// if output_format contains dynamic elements, process it accordingly
if (dynamic_elements) {
output_format_prompt += `\nAny text enclosed by < and > indicates you must generate content to replace it. Example input: Go to <location>, Example output: Go to the garden\nAny output key containing < and > indicates you must generate the key name to replace it. Example input: {'<location>': 'description of location'}, Example output: {school: a place for education}`;
}

// if input is in a list format, ask it to generate json in a list
if (list_input) {
output_format_prompt += `\nGenerate a list of json, one json for each input element.`;
}

// Use OpenAI to get a response
const response = await openai.chat.completions.create({
temperature: temperature,
model: model,
messages: [
{
role: "system",
content: system_prompt + output_format_prompt + error_msg,
},
{ role: "user", content: user_prompt.toString() },
],
});

let res: string =
response.choices[0].message?.content?.replace(/'/g, '"') ?? "";

// ensure that we don't replace away apostrophes in text
res = res.replace(/(\w)"(\w)/g, "$1'$2");

if (verbose) {
console.log(
"System prompt:",
system_prompt + output_format_prompt + error_msg
);
console.log("\nUser prompt:", user_prompt);
console.log("\nGPT response:", res);
}

// try-catch block to ensure output format is adhered to
try {
let output: any = JSON.parse(res);

if (list_input) {
if (!Array.isArray(output)) {
throw new Error("Output format not in a list of json");
}
} else {
output = [output];
}

// check for each element in the output_list, the format is correctly adhered to
for (let index = 0; index < output.length; index++) {
for (const key in output_format) {
// unable to ensure accuracy of dynamic output header, so skip it
if (/<.*?>/.test(key)) {
continue;
}

// if output field missing, raise an error
if (!(key in output[index])) {
throw new Error(`${key} not in json output`);
}

// check that one of the choices given for the list of words is an unknown
if (Array.isArray(output_format[key])) {
const choices = output_format[key] as string[];
// ensure output is not a list
if (Array.isArray(output[index][key])) {
output[index][key] = output[index][key][0];
}
// output the default category (if any) if GPT is unable to identify the category
if (!choices.includes(output[index][key]) && default_category) {
output[index][key] = default_category;
}
// if the output is a description format, get only the label
if (output[index][key].includes(":")) {
output[index][key] = output[index][key].split(":")[0];
}
}
}

// if we just want the values for the outputs
if (output_value_only) {
output[index] = Object.values(output[index]);
// just output without the list if there is only one element
if (output[index].length === 1) {
output[index] = output[index][0];
}
}
}

return list_input ? output : output[0];
} catch (e) {
error_msg = `\n\nResult: ${res}\n\nError message: ${e}`;
console.log("An exception occurred:", e);
console.log("Current invalid json format:", res);
}
}

return [];
}

添加 API 路径

添加 src/app/api/questions/route.ts:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
import { strict_output } from "@/lib/gpt";
import { getQuestionsSchema } from "@/schemas/questions";
import { NextResponse } from "next/server";
import { ZodError } from "zod";

export const runtime = "nodejs";
export const maxDuration = 500;

export async function GET(req: Request, res: Response) {

return NextResponse.json(
{
message: "Welcome to the questions API. You can generate questions by sending a POST request to this endpoint.",
},
{
status: 200,
}
);
}

export async function POST(req: Request, res: Response) {
try {
// const session = await getAuthSession();
// if (!session?.user) {
// return NextResponse.json(
// { error: "You must be logged in to create a game." },
// {
// status: 401,
// }
// );
// }
const body = await req.json();
const { amount, topic, type } = getQuestionsSchema.parse(body);
let questions: any;
if (type === "open_ended") {
questions = await strict_output(
"You are a helpful AI that is able to generate a pair of question and answers, the length of each answer should not be more than 15 words, store all the pairs of answers and questions in a JSON array",
new Array(amount).fill(
`You are to generate a random hard open-ended questions about ${topic}`
),
{
question: "question",
answer: "answer with max length of 15 words",
}
);
} else if (type === "mcq") {
questions = await strict_output(
"You are a helpful AI that is able to generate mcq questions and answers, the length of each answer should not be more than 15 words, store all answers and questions and options in a JSON array",
new Array(amount).fill(
`You are to generate a random hard mcq question about ${topic}`
),
{
question: "question",
answer: "answer with max length of 15 words",
option1: "option1 with max length of 15 words",
option2: "option2 with max length of 15 words",
option3: "option3 with max length of 15 words",
}
);
}
return NextResponse.json(
{
questions: questions,
},
{
status: 200,
}
);
} catch (error) {
if (error instanceof ZodError) {
return NextResponse.json(
{ error: error.issues },
{
status: 400,
}
);
} else {
console.error("elle gpt error", error);
return NextResponse.json(
{ error: "An unexpected error occurred." },
{
status: 500,
}
);
}
}
}

如果感兴趣本项目,请访问项目目录: 从零搭建基于 AI 问答平台 - 目录


作者:Bearalise
出处:从零搭建基于 AI 问答平台(8) 定义 OpenAI 格式接口 (使用Deepseek 接口)
版权:本文版权归作者所有
转载:欢迎转载,但未经作者同意,必须保留此段声明,必须在文章中给出原文链接。

请我喝杯咖啡吧~

支付宝
微信