I'm building a real-time text generation app (chat bot) using Node.js (Express backend), React for client-side rendering, and want a Rest API which will stream response from LLMs. I'd like to explore integrating my application with either the Vercel AI SDK or Lang Chain package.
You want to build a chatbot app that can:
streaming anything as response using nodejs is very easy, below is the fundamental code for streaming.
js1// sample code for streaming response from nodejs express. 2function StreamToResponse(request, response) { 3 response.writeHead( 200, { 4 "Content-Type": "text/plain; charset=utf-8", 5 }); 6 try { 7 for (let i = 0; i < 10; i++) { 8 response.write(i); // Write to the response as we receive data 9 } 10 } catch (error) { 11 console.error("Error: ", error); 12 throw error; 13 } finally { 14 response.end(); // End stream after all data is written 15 } 16 17}
Using Vercel AI SDK you can implement in NodeJS with express framework like this :
js1import { google } from "@ai-sdk/google"; 2import { streamText, convertToCoreMessages } from "ai"; 3import express from "express"; 4 5const app = express 6 7app.post('/generate', async (req, res) => { 8 try { 9 const messages = req.body.messages; 10 const result = await streamText({ 11 model: google("your_model"), 12 messages: convertToCoreMessages(messages), 13 }); 14 15 result.pipeDataStreamToResponse(res); // this ai sdk package will take care of streaming response to client and handle according to that. 16 } catch (err) { 17 console.log(err); 18 res.send(err); 19 } 20}); 21 22module.exports = router;