(function() { var utmInheritingDomain = "appstore.com", utmRegExp = /(&|\?)utm_[A-Za-z]+=[A-Za-z0-9]+/gi, links = document.getElementsByTagName("a"), utms = [ "utm_medium={{URL - utm_medium}}", "utm_source={{URL - utm_source}}", "utm_campaign={{URL - utm_campaign}}" ]; for (var index = 0; index < links.length; index += 1) { var tempLink = links[index].href, tempParts; if (tempLink.indexOf(utmInheritingDomain) > 0) { tempLink = tempLink.replace(utmRegExp, ""); tempParts = tempLink.split("#"); if (tempParts[0].indexOf("?") < 0 ) { tempParts[0] += "?" + utms.join("&"); } else { tempParts[0] += "&" + utms.join("&"); } tempLink = tempParts.join("#"); } links[index].href = tempLink; } }());
  • June 27, 2024
  • 10 min read

Building AI-Powered Web Applications In 20 Minutes with FriendliAI, Vercel AI SDK, and Next.js

Building AI-Powered Web Applications In 20 Minutes with FriendliAI, Vercel AI SDK, and Next.js thumbnail

With the development of AI technologies it has become much easier for anyone to build AI applications. By leveraging the AI solutions and the diverse AI models that many companies provide and maintain, even without expert knowledge, people can create powerful AI applications like:

  • Educational chatbots
  • Image generation tools
  • Language translation services
  • Personalized recommendation services

In this tutorial, we will walk you through building your own AI playground where you can experiment with Go code and learn Go in an interactive and an efficient way.

The goal of this tutorial is to create an easily accessible AI playground that provides functionalities such as user prompts and system prompts via a web interface.

We will also demonstrate its usage by building an application that generates and fixes arbitrary Go code to help users learn and easily write Go code using large language models (LLMs).



Key Technologies and Tools

  1. Friendli Serverless Endpoints: FriendliAI provides production-ready solutions for users and enterprises to facilitate the use of the Friendli Engine, which brings speed and efficiency (i.e., for both resources and cost) for managing and serving various large language models (LLMs). Friendli Serverless Endpoints leverages the Friendli Engine to serve popular general-purpose open-source large language models like Llama-3 and Mixtral models, and provide them in a ChatGPT-like interface to make them easily accessible by the users.
  2. Vercel AI SDK: is a powerful open-source library that helps developers build conversational streaming user interfaces in JavaScript and TypeScript. Vercel AI SDK simplifies AI integration into web applications. It provides various tools and pre-built components that streamline the development process, reducing the time and effort needed to implement advanced features.
  3. Next.js: is a popular open-source framework for React developed by Vercel. It helps build fast, scalable, and user-friendly web application. Features like server-side rendering, static site generation, and build-in API routes make it simple for modern web development.

Through this guide, you will be able to learn how to:

  • Build an interactive playground where people can write and test Go code in real-time.
  • Develop a web application that leverages LLMs for user interaction.
  • Explore a practical example of using LLMs by creating an application that corrects and improves arbitrary Go code.

Let's get started!

We will use Friendli Serverless Endpoints for LLM inference and use Next.js along with the Vercel AI SDK for the frontend.

Setting Up the Project and Installing Dependencies

  1. Preparing Your Token: Get a Friendli Suite Personal Access Token (PAT) after signing up at Friendli Suite.

  2. Initializing the Project: You could start by using the default template from Next.js to initialize a project named play-go-ai. For instance, simply use the following commands:

shell
npx create-next-app@latest --app --ts --tailwind --eslint play-go-ai
cd play-go-ai

You will find a new directory named play-go-ai with a pre-configured Next.js application that uses TypeScript, Tailwind CSS, and ESLint.

  1. Installing the Dependencies: Next, you will need to install the required dependencies for the Vercel AI SDK along with some other necessary packages to create the web interface. Note that Friendli Serverless Endpoints is compatible with the OpenAI API and is available through the @ai-sdk/openai module. You can install these dependencies using the following command:
shell
npm i ai @ai-sdk/openai axios zod
  1. Configuring the Environment Variables: To use Friendli Serverless Endpoints, you'll need to place your Personal Access Token (PAT) in a .env.local file. Create this file at the root folder of your project and add your token as shown below. In your actual environment, be sure to fill in your own PAT as the FRIENDLI_TOKEN variable.
.env.local
FRIENDLI_TOKEN=[FILL_IN_WITH_YOUR_TOKEN]

Setting up a Basic Project Based On Vercel AI SDK

  1. Choosing a model: Selecting the right model for your application is crucial. FriendliAI offers various open-source generative AI models for easy integration, with additional benefits such as GPU-optimized inference.

In this tutorial, we’ll use meta-llama-3.1-8b-instruct, one of the latest LLMs introduced by Meta. With 8 billion parameters, it excels at understanding and generating language, providing high-quality and detailed responses. This makes it suitable for a wide range of applications, from simple chatbots to complex virtual assistants.

If any of the models do not meet your application’s requirements, you also have the option to use customized or fine-tuned models through Friendli Dedicated Endpoints. For more options, explore our model library.

  1. Creating the Completion API Route File: Start by creating an API route using the OpenAI API. Let's create a new file named route.ts inside the app/api/completion directory, that looks like this:
app/api/completion/route.ts
import { createOpenAI } from "@ai-sdk/openai";
import { streamText } from "ai";

const friendliai = createOpenAI({
  baseURL: "https://inference.friendli.ai/v1",
  apiKey: process.env.FRIENDLI_TOKEN,
});

export async function POST(req: Request) {
  const { prompt } = await req.json();
  if (!prompt) return new Response("Prompt is required", { status: 400 });

  const result = await streamText({
    model: friendliai("meta-llama-3.1-8b-instruct"),
    prompt: `Prompt: ${prompt}`,
  });

  return result.toDataStreamResponse();
}
  1. (Optional) Team ID Configuration: You can optionally configure the request by including additional headers, such as the team ID. This ensures that only members belonging to the specific team will be able to access the requests. Here's how you can do it:
app/api/completion/route.ts
const friendliai = createOpenAI({
  baseURL: "https://inference.friendli.ai/v1",
  apiKey: process.env.FRIENDLI_TOKEN,
  headers: {
    "X-Friendli-Team": "YOUR_TEAM_ID",
  },
});
  1. Setting Up the User Interface: Now, let’s generate the actual web page that the user sees. We will create an input box for typing in our prompts and a textarea to display the generated results. Add the following code to the app/page.tsx file:
app/page.tsx
"use client";

import { useCompletion } from "ai/react";

export default function Chat() {
  const { completion, input, handleInputChange, handleSubmit } = useCompletion();

  return (
    <form
      onSubmit={handleSubmit}
      className="flex flex-col container max-w-screen-md text-black py-24 px-2 mx-auto gap-4"
    >
      <textarea
        className="h-64 p-2 rounded"
        value={completion}
        placeholder="Output..."
        readOnly
      />
      <input
        className="w-full p-2 rounded"
  1. Running the local server: Finally, you can run the local server using the following command:
shell
npm run dev

This will start the local development server, and you'll see a simple interface similar to the one shown below.

Enhancing Code Generation and Execution

Now that we know that we can use simple prompts for our code completion, let's add a system prompt to the mix. This will allow us to guide the model's response to better suffice our needs.

system-prompt.txt
Use only Go code.
Do not include the prompt or otherwise preface your response.
Do not enclose the response in quotes.

We can add this system prompt to our code by modifying the app/api/completion/route.ts file. Specifically, we'll update the streamText function to include the system prompt:

app/api/completion/route.ts
const result = await streamText({
  model: friendliai("meta-llama-3.1-8b-instruct"),
  system: `Use only Go code.
    Do not include the prompt or otherwise preface your response.
    Do not enclose the response in quotes.`,
  prompt: `Prompt: ${prompt}\nResponse:`,
});

Now, let's go back to the browser and continue our conversation. Comparing the before & after for adding the system prompt, we can see that the generated responses are now more structured and adhere strictly to the instructions given, providing us with clean and precise Go code edits, as shown below.

Before adding the system promptAfter adding the system prompt

A lot has changed: the code generated by the LLM now looks like it's actually executable. Therefore, let's now add the ability to execute the code through our web interface. For the code execution, we'll use the unofficial API provided by go.dev/play.

To use it, we'll create a new server router in Next.js, by adding the code below into the app/api/code/route.ts file.

app/api/code/route.ts
import axios from "axios";

export interface Response {
  code: string;
  error: string;
  result: string;
}

interface Events {
  Kind: string;
  Message: string;
}

export async function POST(req: Request) {
  const { code } = await req.json();
  const result: Response = { code: "", error: "", result: "" };

  const fmtResponse = await sendRequest("/fmt", {
    body: code,
    imports: true,

Now that we have created a server endpoint where we can format and run our code to see the results, let's add some code to our pages.tsx file to utilize it.

app/page.tsx
"use client";

import { useCompletion } from "ai/react";
import { useState } from "react";

export default function Chat() {
  const [result, setResult] = useState("");
  const [error, setError] = useState("");
  const [code, setCode] = useState("");

  const { completion, isLoading, input, handleInputChange, handleSubmit } =
    useCompletion({
      onFinish: (prompt, completion) => {
        setCode(completion);
      },
    });

  return (
    <form
      onSubmit={handleSubmit}

As you can see above, we have added some UI for the compile server and now the generated code can be arbitrarily edited by the user. You can now send a request to the code/route.ts server that you have just added to actually execute your Go code! At this stage, we have completed creating the basic elements of our Go playground.

Let's make one last change here. We want to be able to feed the LLM with the results of our code execution as well as the error outputs. This will allow us to continuously work on the generated code and add more functionality to the program we've created.

Update page.tsx to:

app/page.tsx
const { completion, isLoading, input, handleInputChange, handleSubmit } =
  useCompletion({
    body: { result, error, code },
    onFinish: (prompt, completion) => {
      setCode(completion);
    },
  });

Update completion/route.ts to:

app/api/completion/route.ts
const { prompt, result, error, code } = await req.json();

if (!prompt) return new Response('Prompt is required', { status: 400 });

const response = await streamText({
  model: friendliai("meta-llama-3.1-8b-instruct"),
  prompt: `Prompt: ${prompt}\nCode: ${code}\n${
    error ? `Error: ${error}\n` : ""
  }${result ? `Result: ${result}\n` : ""}`,
  system: `Use only Go code.
  Do not include the prompt or otherwise preface your response.
  Do not enclose the response in quotes.`,
});

return response.toDataStreamResponse();

If there is an error from the playground response, the prompt field combines the prompt, code, error, and result fields into a single string.

After this change, all of your work will flow continuously. Your playground will now be able to continuously edit, and improve Go code based on ongoing prompts, execution results, and error messages.

You can check the demo, with additional loading states and design assets, at play-go-ai.vercel.app.

Demo with additional loading states and design assets

An example on the demo application generating Go code for printing out the numbers of the fibonacci sequence, generating comments to explain the code, then executing the code to test and check out the result of the code.

You can also check the source code of the demo project above and deploy the demo on your own, by referring to this GitHub repository.

Summary

In this tutorial, we have been able to develop a simple AI application using the Vercel AI SDK and the Friendli Serverless Endpoints. As suggested, we have been able to see that the project can be easily deployed and operated within minutes by using Vercel and FriendliAI. Furthermore, if you wish to use custom or fine-tuned models for your applications, you can also build your applications using Friendli Dedicated Endpoints, which lets users upload their own models on the GPUs of their choice, to serve and expose the model as similar endpoints as in the example in this tutorial.

Congratulations on completing this tutorial! We hope that you found it informative and useful.

Happy coding!


Written by

FriendliAI logo

FriendliAI Tech & Research


Share