How to Add a ChatGPT Assistant to Your Next.js Website
Aaron Soto • 2025-02-10 • 8 min read
Introduction
I heard about an open frontend developer role at OpenAI and thought, why not build something unique to stand out? Instead of just listing skills, I decided to show them in action by building a ChatGPT assistant from scratch. This was a full-stack project that tested my debugging skills. In this tutorial, I'll show you how to add a ChatGPT assistant to your Next.js site. Check the OpenAI API documentation for the latest updates.
Step 1: Get Your OpenAI Credentials
- Go to OpenAI Platform Settings.
- Click Organization on the left sidebar and copy your Organization ID.
- Under Project > General, copy your Project ID.
- Navigate to API Keys, create a new key, and copy it.
Create a .env
file in your project's root folder and add the necessary env varibles.
1OPEN_AI_ORGANIZATION="value"
2OPEN_AI_PROJECT="value"
3OPEN_AI_API_KEY="value"
Step 2: Set Up the OpenAI Client
Create a lib
folder if it doesn’t exist. Inside it, add open-ai.ts
:
1import OpenAI from "openai";
2
3export const openai = new OpenAI({
4organization: process.env.OPEN_AI_ORGANIZATION,
5project: process.env.OPEN_AI_PROJECT,
6apiKey: process.env.OPEN_AI_API_KEY,
7});
This file makes it easy to reuse the OpenAI client without setting it up repeatedly. You can now import openai
anywhere in your app that you want to interact with the OpenAI API.
Step 3: Create the API Route
Next we will create an API route to handle chat requests. In app/api/openai/chat.ts
, add:
1import { NextResponse } from "next/server";
2import { openai } from "@/lib/open-ai";
3import { systemMessageContent } from "@/data/system-message-content";
4
5export async function POST(req: Request) {
6const { prompt } = await req.json();
7
8const completion = await openai.chat.completions.create({
9model: "gpt-4o-mini",
10messages: [
11{ role: "system", content: systemMessageContent },
12{ role: "user", content: prompt },
13],
14});
15
16const response = NextResponse.json({
17message: completion.choices[0].message.content,
18});
19
20return response;
21}
This handles incoming chat requests. Keep in mind that the gpt-4o-mini model is a smaller version of GPT-4 optimized for speed and cost. You can change this to gpt-4 for more accurate responses. Itis also a good idea to limit the number of messages per day to avoid abuse.
Possible Ways to improve this API:
- Integrate a CAPTCHA system to prevent bots from spamming your API.
- Add a profanity filter to block inappropriate messages.
- Implement a cooldown system to prevent users from sending messages too quickly.
- Adding Stripe API and flag to the use model so users can pay you for more messages if they wish so you dont have to pay for all the messages.
Step 4: Add System Message Content
Next we want to give our assistant some knowledge, so it can respond to users. At the moment it can only respond to the prompt it receives with no context. So we want to add some background context to the assistant that it can use to respond to users.
This is as simple as creating a string with the content you want the assistant to know. For my portfolio website I filled this message with information on the projects I have developed, the technologies I have used and the services I offer. This allows guests to ask any question they want and the assistant will be able to respond with the information I have provided.
Create data/system-message-content.ts
:
1export const systemMessageContent = "I am a frontend developer with experience in React, Next.js, and Tailwind CSS. I have developed projects ranging from e-commerce sites to personal blogs. I offer services such as website development, UI/UX design, and SEO optimization. Feel free to ask me anything!";
Step 5: Sending Messages to the API
Here's how to send a message using Next.js's Fetch API:
1const sendMessageToAPI = async (message: string) => {
2try {
3 const response = await fetch("/api/chat", {
4 method: "POST",
5 headers: {
6 "Content-Type": "application/json",
7 },
8 body: JSON.stringify({ prompt: message }),
9 });
10
11 const data = await response.json();
12
13 if (data.error) {
14 return { error: data.error };
15 }
16
17 return data.message;
18
19} catch (error: any) {
20return { error: error.message };
21}
22};
Wrapping Up
You now have a working ChatGPT assistant in your Next.js app. You've covered API setup, message handling, and customizing responses. From here, you can build a frontend chat interface, handle more complex prompts, or tweak the assistant’s behavior to suit your project, maybe even wrap it in a cool floating button on your site that is accessible from any page.
Comments
Be the first to comment.