- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在尝试设置函数来调用我最近一直在从事的一个项目,但我似乎无法让它工作
我查找了文档,但只找到了无法很好地解释它的 YouTube 视频。我尝试过运行各种示例,但没有任何效果对我有用。这就是我所拥有的:与 API 的基本通信有效,但函数调用不返回任何内容。如果有人可以提供帮助,我们将不胜感激。
<!DOCTYPE html>
<html>
<head>
<script>
function sendRequest() {
// API endpoint URL
const apiUrl = 'https://api.openai.com/v1/chat/completions';
// Your API key
const apiKey = 'API_Key';
// Get the user input
const userInput = document.getElementById('userInput').value;
async function lookupTime() {
fetch("http://worldtimeapi.org/api/timezone/America/Chicago")
.then(response => response.json())
.then(data => {
const currentTime = new Date(data.datetime);
const timeString = currentTime.toLocaleTimeString();
console.log(timeString);
Current_Time = timeString;
})
.catch(error => {
console.error("Error fetching time:", error);
});
}
// Request payload
const payload = {
model: 'gpt-3.5-turbo-0613',
messages: [{
role: 'system',
content: 'be a helpfull assistant'
}, {
role: 'user',
content: userInput
}],
functions: [{
name: "lookupTime",
description: "get the current time",
parameters: {
type: "object", // specify that the parameter is an object
properties: {
TimeInput: {
type: "string", // specify the parameter type as a string
description: "The Current_Time variable"
}
},
required: ["TimeInput"] // specify that the location parameter is required
}
}],
max_tokens: 100,
temperature: 0.7
};
// Make the API call
fetch(apiUrl, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${apiKey}`
},
body: JSON.stringify(payload)
})
.then(response => response.json())
.then(data => {
// Handle the response
console.log(data);
// Show the response in the output element
const outputElement = document.getElementById('output');
outputElement.textContent = data.choices[0].message.content;
})
.catch(error => {
// Handle any errors
console.error(error);
});
}
</script>
</head>
<body>
<input type="text" id="userInput" placeholder="Type your message...">
<button onclick="sendRequest()">Send Request</button>
<div id="output"></div>
</body>
</html>
它输出以下信息,但没有文本响应:
(finish_reason: "function_call", index: 0, message: content: null, function_call: arguments: "{\n "TimeInput": "Current_Time"\n}", name: "lookupTime").
但是,它实际上并没有调用该函数。如果我问它一个问题,它会正确输出所需的文本,并填充内容字段。
最佳答案
您的代码包含两个问题:
我已经更正了您的代码并对其进行了一些更改,以便它可以完成有用的工作。然而,实现仍然不完整,并且缺乏任何严重的错误处理等。
新的lookupTime函数需要一个城市作为参数并返回该城市的时间。请注意,它只接受与美洲地区的时区数据库名称相匹配的少数城市(例如菲尼克斯)。
async function lookupTime(city) {
try {
const response = await fetch(`http://worldtimeapi.org/api/timezone/America/${city}`);
const data = await response.json();
const currentTime = new Date(data.datetime);
const timeString = currentTime.toLocaleTimeString();
console.log(timeString);
return timeString;
}
catch (error) {
console.error("Error fetching time:", error);
}
}
然后更改可供 GPT 使用的函数签名以反射(reflect)新参数:
async function sendRequest() {
const apiUrl = 'https://api.openai.com/v1/chat/completions';
const apiKey = 'YOUR API KEY';
const userInput = document.getElementById('userInput').value;
let payload = {
model: 'gpt-3.5-turbo-0613',
messages: [{
role: 'system',
content: 'You are a helpful assistant.'
}, {
role: 'user',
content: userInput
}],
functions: [{
name: "lookupTime",
description: "get the current time",
parameters: {
type: "object",
properties: {
city: {
type: "string",
description: "The city for which the current time is to be retrieved."
}
},
required: ["city"]
}
}],
max_tokens: 100,
temperature: 0.7
};
最后,我们需要更改与 GPT 通信的处理方式。首先,我们需要发送初始请求。然后我们需要响应GPT的响应。如果它想要调用一个函数,我们必须解释该响应,调用该函数,然后使用 (a) 先前的消息和 (b) 包含函数调用响应的新消息再次调用 GPT。只有这样 GPT 才会知道结果并返回预期的响应。
因此,我们需要调用 API 两次。最简单的方法是将 API 调用移至函数 chatWithGpt
并允许该函数递归调用自身:
async function chatWithGpt() {
console.log(payload);
const response = await fetch(apiUrl, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${apiKey}`
},
body: JSON.stringify(payload)
});
const data = await response.json();
console.log(data);
const choice = data.choices[0];
if (choice.finish_reason === 'function_call' && choice.message.function_call.name === 'lookupTime') {
const arguments = JSON.parse(choice.message.function_call.arguments);
const timeString = await lookupTime(arguments.city);
payload.messages.push({
role: "function",
name: "lookupTime",
content: JSON.stringify({ time: timeString })
});
return chatWithGpt();
}
else {
const outputElement = document.getElementById('output');
outputElement.textContent = data.choices[0].message.content;
}
}
try {
chatWithGpt();
}
catch (error) {
console.error(error);
}
}
为了获得更好的重现性,我将温度更改为 0。然后您将收到给定问题的以下答案:
Q: What time is it in Phoenix?
A: The current time in Phoenix is 02:11:08.
调用该函数来获取上下文信息甚至是明智的:
Q: Do I need a flashlight out in Phoenix now?
A: Based on the current time in Phoenix (02:13 AM), it is nighttime. If you are planning to go outside, it is recommended to have a flashlight with you for better visibility in the dark.
有关进一步的解释,我建议阅读 blog entry OpenAI 关于新函数 API 以及 API documentation .
关于javascript - chatGPT API函数调用,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/76561836/
C语言sscanf()函数:从字符串中读取指定格式的数据 头文件: ?
最近,我有一个关于工作预评估的问题,即使查询了每个功能的工作原理,我也不知道如何解决。这是一个伪代码。 下面是一个名为foo()的函数,该函数将被传递一个值并返回一个值。如果将以下值传递给foo函数,
CStr 函数 返回表达式,该表达式已被转换为 String 子类型的 Variant。 CStr(expression) expression 参数是任意有效的表达式。 说明 通常,可以
CSng 函数 返回表达式,该表达式已被转换为 Single 子类型的 Variant。 CSng(expression) expression 参数是任意有效的表达式。 说明 通常,可
CreateObject 函数 创建并返回对 Automation 对象的引用。 CreateObject(servername.typename [, location]) 参数 serv
Cos 函数 返回某个角的余弦值。 Cos(number) number 参数可以是任何将某个角表示为弧度的有效数值表达式。 说明 Cos 函数取某个角并返回直角三角形两边的比值。此比值是
CLng 函数 返回表达式,此表达式已被转换为 Long 子类型的 Variant。 CLng(expression) expression 参数是任意有效的表达式。 说明 通常,您可以使
CInt 函数 返回表达式,此表达式已被转换为 Integer 子类型的 Variant。 CInt(expression) expression 参数是任意有效的表达式。 说明 通常,可
Chr 函数 返回与指定的 ANSI 字符代码相对应的字符。 Chr(charcode) charcode 参数是可以标识字符的数字。 说明 从 0 到 31 的数字表示标准的不可打印的
CDbl 函数 返回表达式,此表达式已被转换为 Double 子类型的 Variant。 CDbl(expression) expression 参数是任意有效的表达式。 说明 通常,您可
CDate 函数 返回表达式,此表达式已被转换为 Date 子类型的 Variant。 CDate(date) date 参数是任意有效的日期表达式。 说明 IsDate 函数用于判断 d
CCur 函数 返回表达式,此表达式已被转换为 Currency 子类型的 Variant。 CCur(expression) expression 参数是任意有效的表达式。 说明 通常,
CByte 函数 返回表达式,此表达式已被转换为 Byte 子类型的 Variant。 CByte(expression) expression 参数是任意有效的表达式。 说明 通常,可以
CBool 函数 返回表达式,此表达式已转换为 Boolean 子类型的 Variant。 CBool(expression) expression 是任意有效的表达式。 说明 如果 ex
Atn 函数 返回数值的反正切值。 Atn(number) number 参数可以是任意有效的数值表达式。 说明 Atn 函数计算直角三角形两个边的比值 (number) 并返回对应角的弧
Asc 函数 返回与字符串的第一个字母对应的 ANSI 字符代码。 Asc(string) string 参数是任意有效的字符串表达式。如果 string 参数未包含字符,则将发生运行时错误。
Array 函数 返回包含数组的 Variant。 Array(arglist) arglist 参数是赋给包含在 Variant 中的数组元素的值的列表(用逗号分隔)。如果没有指定此参数,则
Abs 函数 返回数字的绝对值。 Abs(number) number 参数可以是任意有效的数值表达式。如果 number 包含 Null,则返回 Null;如果是未初始化变量,则返回 0。
FormatPercent 函数 返回表达式,此表达式已被格式化为尾随有 % 符号的百分比(乘以 100 )。 FormatPercent(expression[,NumDigitsAfterD
FormatNumber 函数 返回表达式,此表达式已被格式化为数值。 FormatNumber( expression [,NumDigitsAfterDecimal [,Inc
我是一名优秀的程序员,十分优秀!