-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathindex.js
204 lines (176 loc) · 6.67 KB
/
index.js
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
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
import express from "express";
import bodyParser from "body-parser";
import fs from "fs";
import { promises as fsPromises } from "fs";
import OpenAI from "openai";
import dotenv from "dotenv";
import { parse, isValid, formatISO } from "date-fns";
import { sendTestWebhook } from "./get_webhook.js";
import cors from "cors";
import { checkDateTimeAvailability, setupMeeting } from "./calander.js";
// Load environment variables from .env file
dotenv.config();
// {
// "question": "Name Rahees,email raheesahmed256@gmail.com,phone 123456789,date 24/05/2024,time 10:00 PM"
// }
// Initialize OpenAI
const openai = new OpenAI({ apiKey: process.env.OPENAI_API_KEY });
const assistantID = process.env.ASSISTANT_ID;
const app = express();
const port = 3000;
// Middleware to enable CORS
app.use(cors());
// Middleware to parse JSON bodies
app.use(bodyParser.json());
app.use(express.static("public"));
app.use(express.urlencoded({ extended: true }));
app.get("/", (req, res) => {
res.sendFile(__dirname + "/public/index.html");
});
// Route to handle chat requests
app.post("/chat", async (req, res) => {
let { question } = req.body;
// Extract user details from the question
const userDetails = extractUserDetailsFromQuestion(question);
console.log("Extracted User Details:", { userDetails });
console.log("User Details: ", { question }, { userDetails });
try {
const response = await chatWithAssistant(question, userDetails); // Destructure the response object
res.json(response); // Send the response directly
console.log("Response: ", response);
} catch (error) {
res.status(500).json({ error: error.message });
}
});
function extractUserDetailsFromQuestion(question) {
const userDetails = {};
// Updated regex patterns to match the input format directly
const namePattern = /Name\s+([^ ]+ [^ ]+)/i; // Captures two words for first name and last name
const emailPattern = /email\s+([\w.-]+@[\w.-]+)/i;
const phonePattern = /phone\s+(\d+)/i;
const datePattern = /date\s+([0-9\/]+)/i; // Matches dates formatted as dd/mm/yyyy
const timePattern = /time\s+([0-9:]+ [AP]M)/i; // Matches times formatted as hh:mm AM/PM
// Extracting details
userDetails.name = question.match(namePattern)?.[1];
userDetails.email = question.match(emailPattern)?.[1];
userDetails.phone = question.match(phonePattern)?.[1];
userDetails.date = question.match(datePattern)?.[1];
userDetails.time = question.match(timePattern)?.[1];
return userDetails;
}
// Async function to get existing assistant
async function getOrCreateAssistant() {
try {
// Retrieve the assistant details directly from the OpenAI API
const assistant = await openai.beta.assistants.retrieve(assistantID);
const assistantDetails = {
assistantId: assistant.id,
assistantName: assistant.name,
assistantInstructions: assistant.instructions,
assistantModel: assistant.model,
assistantTools: assistant.tools,
};
//console.log("Assistant Details:", assistantDetails);
return assistantDetails;
} catch (error) {
console.error("Error retrieving the assistant:", error);
throw error; // Re-throw the error to be handled by the caller
}
}
async function chatWithAssistant(question, userDetails) {
console.log("Chat with assistant started...");
try {
const assistantDetails = await getOrCreateAssistant();
const thread = await openai.beta.threads.create();
console.log("Thread Created...");
await openai.beta.threads.messages.create(thread.id, {
role: "user",
content: question,
});
console.log("Message Sent...");
const run = await openai.beta.threads.runs.create(thread.id, {
assistant_id: assistantDetails.assistantId,
});
console.log("Run Created...");
// Pass userDetails to handleRunProcess
let runStatus = await handleRunProcess(run, thread.id, userDetails);
console.log("Run processing complete with status:", runStatus.status);
// Fetch and return the final message from the assistant
if (runStatus.status === "completed") {
const messages = await openai.beta.threads.messages.list(thread.id);
const lastMessage = messages.data.find(
(m) => m.run_id === run.id && m.role === "assistant"
);
return { response: lastMessage.content[0].text.value };
} else {
console.error("Run did not complete successfully:", runStatus);
return { response: "Assistant did not complete the request." };
}
} catch (error) {
console.error("An error occurred while processing your request:", error);
return { response: "An error occurred while processing your request." };
}
}
async function handleRunProcess(run, threadId, userDetails) {
let runStatus = await openai.beta.threads.runs.retrieve(threadId, run.id);
console.log("Checking run Status...");
// Poll for run status
while (
runStatus.status === "in_progress" ||
runStatus.status === "requires_action"
) {
console.log("Polling for run status...");
if (
runStatus.status === "requires_action" &&
runStatus.required_action &&
runStatus.required_action.submit_tool_outputs
) {
console.log("Handling Required Actions...");
await submitToolOutputs(runStatus, threadId, run.id, userDetails);
}
await new Promise((resolve) => setTimeout(resolve, 2000)); // Wait for 2 seconds before checking again
runStatus = await openai.beta.threads.runs.retrieve(threadId, run.id);
}
return runStatus;
}
async function submitToolOutputs(runStatus, threadId, runId, userDetails) {
const toolOutputs =
runStatus.required_action.submit_tool_outputs.tool_calls.map((toolCall) => {
const output = handleToolCall(toolCall, userDetails);
return {
tool_call_id: toolCall.id,
output: output,
};
});
await openai.beta.threads.runs.submitToolOutputs(threadId, runId, {
tool_outputs: toolOutputs,
});
console.log("Tool outputs submitted successfully.");
}
function handleToolCall(toolCall, userDetails) {
switch (toolCall.function.name) {
case "checkDateTimeAvailability":
const isAvailable = checkDateTimeAvailability(
userDetails.date,
userDetails.time
);
return JSON.stringify({ available: isAvailable });
case "createAppointment":
const appointmentLink = setupMeeting(
userDetails.date,
userDetails.time,
"Appointment",
"Meeting with Jane Doe",
userDetails.email
);
return JSON.stringify({
link: appointmentLink || "Failed to create appointment",
});
default:
return JSON.stringify({ error: "Unhandled function call" });
}
}
// Start the server
app.listen(port, () => {
console.log(`Server is running on port ${port}`);
});