blob: e55c66fe2f78bd6530fec415c9f34beb2af020d4 [file] [log] [blame]
// Copyright 2024 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
// Command ragserver is an HTTP server that implements RAG (Retrieval
// Augmented Generation) using the Gemini model and Weaviate. See the
// accompanying README file for additional details.
package main
import (
"cmp"
"context"
"fmt"
"log"
"net/http"
"os"
"strings"
"github.com/google/generative-ai-go/genai"
"github.com/weaviate/weaviate-go-client/v4/weaviate"
"github.com/weaviate/weaviate-go-client/v4/weaviate/graphql"
"github.com/weaviate/weaviate/entities/models"
"google.golang.org/api/option"
)
const generativeModelName = "gemini-1.5-flash"
const embeddingModelName = "text-embedding-004"
// This is a standard Go HTTP server. Server state is in the ragServer struct.
// The `main` function connects to the required services (Weaviate and Google
// AI), initializes the server state and registers HTTP handlers.
func main() {
ctx := context.Background()
wvClient, err := initWeaviate(ctx)
if err != nil {
log.Fatal(err)
}
apiKey := os.Getenv("GEMINI_API_KEY")
genaiClient, err := genai.NewClient(ctx, option.WithAPIKey(apiKey))
if err != nil {
log.Fatal(err)
}
defer genaiClient.Close()
server := &ragServer{
ctx: ctx,
wvClient: wvClient,
genModel: genaiClient.GenerativeModel(generativeModelName),
embModel: genaiClient.EmbeddingModel(embeddingModelName),
}
mux := http.NewServeMux()
mux.HandleFunc("POST /add/", server.addDocumentsHandler)
mux.HandleFunc("GET /query/", server.queryHandler)
port := cmp.Or(os.Getenv("SERVERPORT"), "9020")
address := "localhost:" + port
log.Println("listening on", address)
log.Fatal(http.ListenAndServe(address, mux))
}
type ragServer struct {
ctx context.Context
wvClient *weaviate.Client
genModel *genai.GenerativeModel
embModel *genai.EmbeddingModel
}
func (rs *ragServer) addDocumentsHandler(w http.ResponseWriter, req *http.Request) {
// Parse HTTP request from JSON.
type document struct {
Text string
}
type addRequest struct {
Documents []document
}
ar := &addRequest{}
err := readRequestJSON(ar, req)
if err != nil {
http.Error(w, err.Error(), http.StatusBadRequest)
return
}
// Use the batch embedding API to embed all documents at once.
batch := rs.embModel.NewBatch()
for _, doc := range ar.Documents {
batch.AddContent(genai.Text(doc.Text))
}
log.Printf("invoking embedding model with %v documents", len(ar.Documents))
rsp, err := rs.embModel.BatchEmbedContents(rs.ctx, batch)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
if len(rsp.Embeddings) != len(ar.Documents) {
http.Error(w, "embedded batch size mismatch", http.StatusInternalServerError)
return
}
// Convert our documents - along with their embedding vectors - into types
// used by the Weaviate client library.
objects := make([]*models.Object, len(ar.Documents))
for i, doc := range ar.Documents {
objects[i] = &models.Object{
Class: "Document",
Properties: map[string]any{
"text": doc.Text,
},
Vector: rsp.Embeddings[i].Values,
}
}
// Store documents with embeddings in the Weaviate DB.
log.Printf("storing %v objects in weaviate", len(objects))
_, err = rs.wvClient.Batch().ObjectsBatcher().WithObjects(objects...).Do(rs.ctx)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
}
func (rs *ragServer) queryHandler(w http.ResponseWriter, req *http.Request) {
// Parse HTTP request from JSON.
type queryRequest struct {
Content string
}
qr := &queryRequest{}
err := readRequestJSON(qr, req)
if err != nil {
http.Error(w, err.Error(), http.StatusBadRequest)
return
}
// Embed the query contents.
rsp, err := rs.embModel.EmbedContent(rs.ctx, genai.Text(qr.Content))
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
// Search weaviate to find the most relevant (closest in vector space)
// documents to the query.
gql := rs.wvClient.GraphQL()
result, err := gql.Get().
WithNearVector(
gql.NearVectorArgBuilder().WithVector(rsp.Embedding.Values)).
WithClassName("Document").
WithFields(graphql.Field{Name: "text"}).
WithLimit(3).
Do(rs.ctx)
if werr := combinedWeaviateError(result, err); werr != nil {
http.Error(w, werr.Error(), http.StatusInternalServerError)
return
}
contents, err := decodeGetResults(result)
if err != nil {
http.Error(w, fmt.Errorf("reading weaviate response: %w", err).Error(), http.StatusInternalServerError)
return
}
// Creata a RAG query for the LLM with the most relevant documents as
// context.
ragQuery := fmt.Sprintf(ragTemplateStr, qr.Content, strings.Join(contents, "\n"))
resp, err := rs.genModel.GenerateContent(rs.ctx, genai.Text(ragQuery))
if err != nil {
log.Printf("calling generative model: %v", err.Error())
http.Error(w, "generative model error", http.StatusInternalServerError)
return
}
if len(resp.Candidates) != 1 {
log.Printf("got %v candidates, expected 1", len(resp.Candidates))
http.Error(w, "generative model error", http.StatusInternalServerError)
return
}
var respTexts []string
for _, part := range resp.Candidates[0].Content.Parts {
if pt, ok := part.(genai.Text); ok {
respTexts = append(respTexts, string(pt))
} else {
log.Printf("bad type of part: %v", pt)
http.Error(w, "generative model error", http.StatusInternalServerError)
return
}
}
renderJSON(w, strings.Join(respTexts, "\n"))
}
const ragTemplateStr = `
I will ask you a question and will provide some additional context information.
Assume this context information is factual and correct, as part of internal
documentation.
If the question relates to the context, answer it using the context.
If the question does not relate to the context, answer it as normal.
For example, let's say the context has nothing in it about tropical flowers;
then if I ask you about tropical flowers, just answer what you know about them
without referring to the context.
For example, if the context does mention minerology and I ask you about that,
provide information from the context along with general knowledge.
Question:
%s
Context:
%s
`
// decodeGetResults decodes the result returned by Weaviate's GraphQL Get
// query; these are returned as a nested map[string]any (just like JSON
// unmarshaled into a map[string]any). We have to extract all document contents
// as a list of strings.
func decodeGetResults(result *models.GraphQLResponse) ([]string, error) {
data, ok := result.Data["Get"]
if !ok {
return nil, fmt.Errorf("Get key not found in result")
}
doc, ok := data.(map[string]any)
if !ok {
return nil, fmt.Errorf("Get key unexpected type")
}
slc, ok := doc["Document"].([]any)
if !ok {
return nil, fmt.Errorf("Document is not a list of results")
}
var out []string
for _, s := range slc {
smap, ok := s.(map[string]any)
if !ok {
return nil, fmt.Errorf("invalid element in list of documents")
}
s, ok := smap["text"].(string)
if !ok {
return nil, fmt.Errorf("expected string in list of documents")
}
out = append(out, s)
}
return out, nil
}