Spaces:
Running
Running
File size: 11,698 Bytes
b110593 |
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 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 |
// _ _
// __ _____ __ ___ ___ __ _| |_ ___
// \ \ /\ / / _ \/ _` \ \ / / |/ _` | __/ _ \
// \ V V / __/ (_| |\ V /| | (_| | || __/
// \_/\_/ \___|\__,_| \_/ |_|\__,_|\__\___|
//
// Copyright © 2016 - 2024 Weaviate B.V. All rights reserved.
//
// CONTACT: [email protected]
//
package client
import (
"context"
"fmt"
"strings"
"time"
"github.com/pkg/errors"
"github.com/sirupsen/logrus"
pb "github.com/weaviate/contextionary/contextionary"
"github.com/weaviate/weaviate/entities/models"
txt2vecmodels "github.com/weaviate/weaviate/modules/text2vec-contextionary/additional/models"
"github.com/weaviate/weaviate/modules/text2vec-contextionary/vectorizer"
"github.com/weaviate/weaviate/usecases/traverser"
"google.golang.org/grpc"
"google.golang.org/grpc/codes"
"google.golang.org/grpc/credentials/insecure"
"google.golang.org/grpc/status"
)
const ModelUncontactable = "module uncontactable"
// Client establishes a gRPC connection to a remote contextionary service
type Client struct {
grpcClient pb.ContextionaryClient
logger logrus.FieldLogger
}
// NewClient from gRPC discovery url to connect to a remote contextionary service
func NewClient(uri string, logger logrus.FieldLogger) (*Client, error) {
conn, err := grpc.Dial(uri,
grpc.WithTransportCredentials(insecure.NewCredentials()),
grpc.WithDefaultCallOptions(grpc.MaxCallRecvMsgSize(1024*1024*48)))
if err != nil {
return nil, fmt.Errorf("couldn't connect to remote contextionary gRPC server: %s", err)
}
client := pb.NewContextionaryClient(conn)
return &Client{
grpcClient: client,
logger: logger,
}, nil
}
// IsStopWord returns true if the given word is a stopword, errors on connection errors
func (c *Client) IsStopWord(ctx context.Context, word string) (bool, error) {
res, err := c.grpcClient.IsWordStopword(ctx, &pb.Word{Word: word})
if err != nil {
logConnectionRefused(c.logger, err)
return false, err
}
return res.Stopword, nil
}
// IsWordPresent returns true if the given word is a stopword, errors on connection errors
func (c *Client) IsWordPresent(ctx context.Context, word string) (bool, error) {
res, err := c.grpcClient.IsWordPresent(ctx, &pb.Word{Word: word})
if err != nil {
logConnectionRefused(c.logger, err)
return false, err
}
return res.Present, nil
}
// SafeGetSimilarWordsWithCertainty will always return a list words - unless there is a network error
func (c *Client) SafeGetSimilarWordsWithCertainty(ctx context.Context, word string, certainty float32) ([]string, error) {
res, err := c.grpcClient.SafeGetSimilarWordsWithCertainty(ctx, &pb.SimilarWordsParams{Word: word, Certainty: certainty})
if err != nil {
logConnectionRefused(c.logger, err)
return nil, err
}
output := make([]string, len(res.Words))
for i, word := range res.Words {
output[i] = word.Word
}
return output, nil
}
// SchemaSearch for related classes and properties
// TODO: is this still used?
func (c *Client) SchemaSearch(ctx context.Context, params traverser.SearchParams) (traverser.SearchResults, error) {
pbParams := &pb.SchemaSearchParams{
Certainty: params.Certainty,
Name: params.Name,
SearchType: searchTypeToProto(params.SearchType),
}
res, err := c.grpcClient.SchemaSearch(ctx, pbParams)
if err != nil {
logConnectionRefused(c.logger, err)
return traverser.SearchResults{}, err
}
return schemaSearchResultsFromProto(res), nil
}
func searchTypeToProto(input traverser.SearchType) pb.SearchType {
switch input {
case traverser.SearchTypeClass:
return pb.SearchType_CLASS
case traverser.SearchTypeProperty:
return pb.SearchType_PROPERTY
default:
panic(fmt.Sprintf("unknown search type %v", input))
}
}
func searchTypeFromProto(input pb.SearchType) traverser.SearchType {
switch input {
case pb.SearchType_CLASS:
return traverser.SearchTypeClass
case pb.SearchType_PROPERTY:
return traverser.SearchTypeProperty
default:
panic(fmt.Sprintf("unknown search type %v", input))
}
}
func schemaSearchResultsFromProto(res *pb.SchemaSearchResults) traverser.SearchResults {
return traverser.SearchResults{
Type: searchTypeFromProto(res.Type),
Results: searchResultsFromProto(res.Results),
}
}
func searchResultsFromProto(input []*pb.SchemaSearchResult) []traverser.SearchResult {
output := make([]traverser.SearchResult, len(input))
for i, res := range input {
output[i] = traverser.SearchResult{
Certainty: res.Certainty,
Name: res.Name,
}
}
return output
}
func (c *Client) VectorForWord(ctx context.Context, word string) ([]float32, error) {
res, err := c.grpcClient.VectorForWord(ctx, &pb.Word{Word: word})
if err != nil {
logConnectionRefused(c.logger, err)
return nil, fmt.Errorf("could not get vector from remote: %v", err)
}
v, _, _ := vectorFromProto(res)
return v, nil
}
func logConnectionRefused(logger logrus.FieldLogger, err error) {
if strings.Contains(fmt.Sprintf("%v", err), "connect: connection refused") {
logger.WithError(err).WithField("module", "contextionary").Warnf(ModelUncontactable)
} else if strings.Contains(err.Error(), "connectex: No connection could be made because the target machine actively refused it.") {
logger.WithError(err).WithField("module", "contextionary").Warnf(ModelUncontactable)
}
}
func (c *Client) MultiVectorForWord(ctx context.Context, words []string) ([][]float32, error) {
out := make([][]float32, len(words))
wordParams := make([]*pb.Word, len(words))
for i, word := range words {
wordParams[i] = &pb.Word{Word: word}
}
res, err := c.grpcClient.MultiVectorForWord(ctx, &pb.WordList{Words: wordParams})
if err != nil {
logConnectionRefused(c.logger, err)
return nil, err
}
for i, elem := range res.Vectors {
if len(elem.Entries) == 0 {
// indicates word not found
continue
}
out[i], _, _ = vectorFromProto(elem)
}
return out, nil
}
func (c *Client) MultiNearestWordsByVector(ctx context.Context, vectors [][]float32, k, n int) ([]*txt2vecmodels.NearestNeighbors, error) {
out := make([]*txt2vecmodels.NearestNeighbors, len(vectors))
searchParams := make([]*pb.VectorNNParams, len(vectors))
for i, vector := range vectors {
searchParams[i] = &pb.VectorNNParams{
Vector: vectorToProto(vector),
K: int32(k),
N: int32(n),
}
}
res, err := c.grpcClient.MultiNearestWordsByVector(ctx, &pb.VectorNNParamsList{Params: searchParams})
if err != nil {
logConnectionRefused(c.logger, err)
return nil, err
}
for i, elem := range res.Words {
out[i] = &txt2vecmodels.NearestNeighbors{
Neighbors: c.extractNeighbors(elem),
}
}
return out, nil
}
func (c *Client) extractNeighbors(elem *pb.NearestWords) []*txt2vecmodels.NearestNeighbor {
out := make([]*txt2vecmodels.NearestNeighbor, len(elem.Words))
for i := range out {
vec, _, _ := vectorFromProto(elem.Vectors.Vectors[i])
out[i] = &txt2vecmodels.NearestNeighbor{
Concept: elem.Words[i],
Distance: elem.Distances[i],
Vector: vec,
}
}
return out
}
func vectorFromProto(in *pb.Vector) ([]float32, []txt2vecmodels.InterpretationSource, error) {
output := make([]float32, len(in.Entries))
for i, entry := range in.Entries {
output[i] = entry.Entry
}
source := make([]txt2vecmodels.InterpretationSource, len(in.Source))
for i, s := range in.Source {
source[i].Concept = s.Concept
source[i].Weight = float64(s.Weight)
source[i].Occurrence = s.Occurrence
}
return output, source, nil
}
func (c *Client) VectorForCorpi(ctx context.Context, corpi []string, overridesMap map[string]string) ([]float32, []txt2vecmodels.InterpretationSource, error) {
overrides := overridesFromMap(overridesMap)
res, err := c.grpcClient.VectorForCorpi(ctx, &pb.Corpi{Corpi: corpi, Overrides: overrides})
if err != nil {
if strings.Contains(err.Error(), "connect: connection refused") {
c.logger.WithError(err).WithField("module", "contextionary").Warnf(ModelUncontactable)
} else if strings.Contains(err.Error(), "connectex: No connection could be made because the target machine actively refused it.") {
c.logger.WithError(err).WithField("module", "contextionary").Warnf(ModelUncontactable)
}
st, ok := status.FromError(err)
if !ok || st.Code() != codes.InvalidArgument {
return nil, nil, fmt.Errorf("could not get vector from remote: %v", err)
}
return nil, nil, vectorizer.NewErrNoUsableWordsf(st.Message())
}
return vectorFromProto(res)
}
func (c *Client) VectorOnlyForCorpi(ctx context.Context, corpi []string, overrides map[string]string) ([]float32, error) {
vec, _, err := c.VectorForCorpi(ctx, corpi, overrides)
return vec, err
}
func (c *Client) NearestWordsByVector(ctx context.Context, vector []float32, n int, k int) ([]string, []float32, error) {
res, err := c.grpcClient.NearestWordsByVector(ctx, &pb.VectorNNParams{
K: int32(k),
N: int32(n),
Vector: vectorToProto(vector),
})
if err != nil {
logConnectionRefused(c.logger, err)
return nil, nil, fmt.Errorf("could not get nearest words by vector: %v", err)
}
return res.Words, res.Distances, nil
}
func (c *Client) AddExtension(ctx context.Context, extension *models.C11yExtension) error {
_, err := c.grpcClient.AddExtension(ctx, &pb.ExtensionInput{
Concept: extension.Concept,
Definition: strings.ToLower(extension.Definition),
Weight: extension.Weight,
})
return err
}
func vectorToProto(in []float32) *pb.Vector {
output := make([]*pb.VectorEntry, len(in))
for i, entry := range in {
output[i] = &pb.VectorEntry{
Entry: entry,
}
}
return &pb.Vector{Entries: output}
}
func (c *Client) WaitForStartupAndValidateVersion(startupCtx context.Context,
requiredMinimumVersion string, interval time.Duration,
) error {
for {
if err := startupCtx.Err(); err != nil {
return errors.Wrap(err, "wait for contextionary remote inference service")
}
time.Sleep(interval)
ctx, cancel := context.WithTimeout(startupCtx, 2*time.Second)
defer cancel()
v, err := c.version(ctx)
if err != nil {
c.logger.WithField("action", "startup_check_contextionary").WithError(err).
Warnf("could not connect to contextionary at startup, trying again in 1 sec")
continue
}
ok, err := extractVersionAndCompare(v, requiredMinimumVersion)
if err != nil {
c.logger.WithField("action", "startup_check_contextionary").
WithField("requiredMinimumContextionaryVersion", requiredMinimumVersion).
WithField("contextionaryVersion", v).
WithError(err).
Warnf("cannot determine if contextionary version is compatible. " +
"This is fine in development, but probelematic if you see this production")
return nil
}
if ok {
c.logger.WithField("action", "startup_check_contextionary").
WithField("requiredMinimumContextionaryVersion", requiredMinimumVersion).
WithField("contextionaryVersion", v).
Infof("found a valid contextionary version")
return nil
} else {
return errors.Errorf("insuffcient contextionary version: need at least %s, got %s",
requiredMinimumVersion, v)
}
}
}
func overridesFromMap(in map[string]string) []*pb.Override {
if in == nil {
return nil
}
out := make([]*pb.Override, len(in))
i := 0
for key, value := range in {
out[i] = &pb.Override{
Word: key,
Expression: value,
}
i++
}
return out
}
|