Weaviate Embeddings - Text Embeddings
Weaviate Cloud only
Configure a Weaviate vector index to use a Weaviate Embeddings model, and Weaviate will generate embeddings for various operations using the specified model and your Weaviate API key. This feature is called the vectorizer.
At import time, Weaviate generates text object embeddings and saves them into the index. For vector and hybrid search operations, Weaviate converts text queries into embeddings.

Requirements
To use Weaviate Embeddings, you need a Weaviate Cloud instance with a Weaviate client library that supports Weaviate Embeddings.
Weaviate Embeddings vectorizers are not available for self-hosted users.
API credentials
Your Weaviate Cloud credentials are automatically used to authorize your access to Weaviate Embeddings.
import weaviate
from weaviate.classes.init import Auth
import os
weaviate_url = os.getenv("WEAVIATE_URL")
weaviate_key = os.getenv("WEAVIATE_API_KEY")
client = weaviate.connect_to_weaviate_cloud(
cluster_url=weaviate_url,
auth_credentials=Auth.api_key(weaviate_key),
)
print(client.is_ready())
client.close()
import weaviate from 'weaviate-client'
const weaviateUrl = process.env.WEAVIATE_URL as string;
const weaviateApiKey = process.env.WEAVIATE_API_KEY as string;
const client = await weaviate.connectToWeaviateCloud(
weaviateUrl,
{
authCredentials: new weaviate.ApiKey(weaviateApiKey),
}
)
client.close()
package main
import (
"context"
"fmt"
"os"
"github.com/weaviate/weaviate-go-client/v5/weaviate"
"github.com/weaviate/weaviate-go-client/v5/weaviate/auth"
)
func main() {
cfg := weaviate.Config{
Host: os.Getenv("WEAVIATE_HOSTNAME"),
Scheme: "https",
AuthConfig: auth.ApiKey{Value: os.Getenv("WEAVIATE_API_KEY")},
}
client, err := weaviate.NewClient(cfg)
if err != nil {
fmt.Println(err)
}
}
String weaviateUrl = System.getenv("WEAVIATE_URL");
String weaviateApiKey = System.getenv("WEAVIATE_API_KEY");
WeaviateClient client = WeaviateClient.connectToWeaviateCloud(weaviateUrl,
weaviateApiKey
);
System.out.println(client.isReady());
client.close();
import io.weaviate.client.Config;
import io.weaviate.client.WeaviateAuthClient;
import io.weaviate.client.WeaviateClient;
import io.weaviate.client.base.Result;
public class ConnectWeaviateEmbeddingsTest {
public void shouldConnectToWeaviate() throws Exception {
String weaviateHost = System.getenv("WEAVIATE_HOSTNAME");
String weaviateKey = System.getenv("WEAVIATE_API_KEY");
Config config = new Config("https", weaviateHost);
WeaviateClient client = WeaviateAuthClient.apiKey(config, weaviateKey);
Result<Boolean> result = client.misc().readyChecker().run();
System.out.println(result.getResult());
}
}
string weaviateUrl = Environment.GetEnvironmentVariable("WEAVIATE_URL");
string weaviateApiKey = Environment.GetEnvironmentVariable("WEAVIATE_API_KEY");
using var client = await Connect.Cloud(
weaviateUrl,
weaviateApiKey
);
var meta = await client.GetMeta();
Console.WriteLine(meta.Version);
Configure a Weaviate index as follows to use a Weaviate Embeddings model:
from weaviate.classes.config import Configure
client.collections.create(
"DemoCollection",
vector_config=[
Configure.Vectors.text2vec_weaviate(
name="title_vector",
source_properties=["title"]
)
],
)
await client.collections.create({
name: 'DemoCollection',
properties: [
{
name: 'title',
dataType: 'text' as const,
},
],
vectorizers: [
weaviate.configure.vectors.text2VecWeaviate({
name: 'title_vector',
sourceProperties: ['title'],
},
),
],
});
func main() {
ctx := context.Background()
basicWeaviateVectorizerDef := &models.Class{
Class: "DemoCollection",
VectorConfig: map[string]models.VectorConfig{
"title_vector": {
Vectorizer: map[string]interface{}{
"text2vec-weaviate": map[string]interface{}{},
},
},
},
}
err = client.Schema().ClassCreator().WithClass(basicWeaviateVectorizerDef).Do(ctx)
if err != nil {
panic(err)
}
}
client.collections.create("DemoCollection",
col -> col
.vectorConfig(
VectorConfig.text2vecWeaviate("title_vector", c -> c.sourceProperties("title")))
.properties(Property.text("title"), Property.text("description")));
Map<String, Object> text2vecWeaviate = new HashMap<>();
Map<String, Object> text2vecWeaviateSettings = new HashMap<>();
text2vecWeaviateSettings.put("properties", new String[]{"title"});
text2vecWeaviate.put("text2vec-weaviate", text2vecWeaviateSettings);
Map<String, WeaviateClass.VectorConfig> vectorConfig = new HashMap<>();
vectorConfig.put("title_vector", WeaviateClass.VectorConfig.builder()
.vectorIndexType("hnsw")
.vectorizer(text2vecWeaviate)
.build());
WeaviateClass clazz = WeaviateClass.builder()
.className("DemoCollection")
.vectorConfig(vectorConfig)
.build();
Result<Boolean> result = client.schema().classCreator().withClass(clazz).run();
await client.Collections.Create(
new CollectionCreateParams
{
Name = "DemoCollection",
VectorConfig = new VectorConfigList
{
Configure.Vector(
"title_vector",
v => v.Text2VecWeaviate(),
sourceProperties: ["title"]
),
},
Properties = [Property.Text("title"), Property.Text("description")],
}
);
Select a model
You can specify one of the available models for the vectorizer to use, as shown in the following configuration example.
from weaviate.classes.config import Configure
client.collections.create(
"DemoCollection",
vector_config=[
Configure.Vectors.text2vec_weaviate(
name="title_vector",
source_properties=["title"],
model="Snowflake/snowflake-arctic-embed-l-v2.0"
)
],
)
await client.collections.create({
name: 'DemoCollection',
properties: [
{
name: 'title',
dataType: 'text' as const,
},
],
vectorizers: [
weaviate.configure.vectors.text2VecWeaviate({
name: 'title_vector',
sourceProperties: ['title'],
model: 'Snowflake/snowflake-arctic-embed-l-v2.0',
}),
],
});
func main() {
ctx := context.Background()
weaviateVectorizerWithModelDef := &models.Class{
Class: "DemoCollection",
VectorConfig: map[string]models.VectorConfig{
"title_vector": {
Vectorizer: map[string]interface{}{
"text2vec-weaviate": map[string]interface{}{
"model": "arctic-embed-l-v2.0",
},
},
},
},
}
err = client.Schema().ClassCreator().WithClass(weaviateVectorizerWithModelDef).Do(ctx)
if err != nil {
panic(err)
}
}
client.collections
.create("DemoCollection",
col -> col
.vectorConfig(VectorConfig.text2vecWeaviate("title_vector",
c -> c.sourceProperties("title")
.model("Snowflake/snowflake-arctic-embed-l-v2.0")))
.properties(Property.text("title"), Property.text("description")));
Map<String, Object> text2vecWeaviate = new HashMap<>();
Map<String, Object> text2vecWeaviateSettings = new HashMap<>();
text2vecWeaviateSettings.put("properties", new String[]{"title"});
text2vecWeaviateSettings.put("model", new String[]{"Snowflake/snowflake-arctic-embed-l-v2.0"});
text2vecWeaviate.put("text2vec-weaviate", text2vecWeaviateSettings);
Map<String, WeaviateClass.VectorConfig> vectorConfig = new HashMap<>();
vectorConfig.put("title_vector", WeaviateClass.VectorConfig.builder()
.vectorIndexType("hnsw")
.vectorizer(text2vecWeaviate)
.build());
WeaviateClass clazz = WeaviateClass.builder()
.className("DemoCollection")
.vectorConfig(vectorConfig)
.build();
Result<Boolean> result = client.schema().classCreator().withClass(clazz).run();
await client.Collections.Create(
new CollectionCreateParams
{
Name = "DemoCollection",
VectorConfig = new VectorConfigList
{
Configure.Vector(
"title_vector",
v => v.Text2VecWeaviate(model: "Snowflake/snowflake-arctic-embed-l-v2.0"),
sourceProperties: ["title"]
),
},
Properties = [Property.Text("title"), Property.Text("description")],
}
);
You can specify one of the available models for Weaviate to use. The default model is used if no model is specified.
Vectorization behavior
Weaviate follows the collection configuration and a set of predetermined rules to vectorize objects.
Unless specified otherwise in the collection definition, the default behavior is to:
- Only vectorize properties that use the
text or text[] data type (unless skipped)
- Sort properties in alphabetical (a-z) order before concatenating values
- If
vectorizePropertyName is true (false by default) prepend the property name to each property value
- Join the (prepended) property values with spaces
- Prepend the class name (unless
vectorizeClassName is false)
- Convert the produced string to lowercase
Vectorizer parameters
model (optional): The name of the model to use for embedding generation.
dimensions (optional): The number of dimensions to use for the generated embeddings.
base_url (optional): The base URL for the Weaviate Embeddings service. (Not required in most cases.)
The following examples show how to configure Weaviate Embeddings-specific options.
from weaviate.classes.config import Configure
client.collections.create(
"DemoCollection",
vector_config=[
Configure.Vectors.text2vec_weaviate(
name="title_vector",
source_properties=["title"],
model="Snowflake/snowflake-arctic-embed-m-v1.5",
)
],
)
await client.collections.create({
name: 'DemoCollection',
properties: [
{
name: 'title',
dataType: 'text' as const,
},
],
vectorizers: [
weaviate.configure.vectors.text2VecWeaviate({
name: 'title_vector',
sourceProperties: ['title'],
model: 'Snowflake/snowflake-arctic-embed-m-v1.5',
},
),
],
});
func main() {
ctx := context.Background()
weaviateVectorizerArcticEmbedMV15 := &models.Class{
Class: "DemoCollection",
VectorConfig: map[string]models.VectorConfig{
"title_vector": {
Vectorizer: map[string]interface{}{
"text2vec-weaviate": map[string]interface{}{
"model": "Snowflake/snowflake-arctic-embed-m-v1.5",
"dimensions": 256,
"base_url": "<custom_weaviate_url>",
},
},
},
},
}
err = client.Schema().ClassCreator().WithClass(weaviateVectorizerArcticEmbedMV15).Do(ctx)
if err != nil {
panic(err)
}
}
client.collections.create("DemoCollection",
col -> col.vectorConfig(VectorConfig.text2vecWeaviate("title_vector",
c -> c.sourceProperties("title").model("Snowflake/snowflake-arctic-embed-m-v1.5")
)).properties(Property.text("title"), Property.text("description")));
Map<String, Object> text2vecWeaviate = new HashMap<>();
Map<String, Object> text2vecWeaviateSettings = new HashMap<>();
text2vecWeaviateSettings.put("properties", new String[]{"title"});
text2vecWeaviateSettings.put("model", new String[]{"Snowflake/snowflake-arctic-embed-m-v1.5"});
text2vecWeaviateSettings.put("dimensions", new Integer[]{768});
text2vecWeaviateSettings.put("base_url", new String[]{"<custom_weaviate_url>"});
text2vecWeaviate.put("text2vec-weaviate", text2vecWeaviateSettings);
Map<String, WeaviateClass.VectorConfig> vectorConfig = new HashMap<>();
vectorConfig.put("title_vector", WeaviateClass.VectorConfig.builder()
.vectorIndexType("hnsw")
.vectorizer(text2vecWeaviate)
.build());
WeaviateClass clazz = WeaviateClass.builder()
.className("DemoCollection")
.vectorConfig(vectorConfig)
.build();
Result<Boolean> result = client.schema().classCreator().withClass(clazz).run();
await client.Collections.Create(
new CollectionCreateParams
{
Name = "DemoCollection",
VectorConfig = new VectorConfigList
{
Configure.Vector(
"title_vector",
v =>
v.Text2VecWeaviate(
model: "Snowflake/snowflake-arctic-embed-m-v1.5"
),
sourceProperties: ["title"]
),
},
Properties = [Property.Text("title"), Property.Text("description")],
}
);
Data import
After configuring the vectorizer, import data into Weaviate. Weaviate generates embeddings for text objects using the specified model.
source_objects = [
{"title": "The Shawshank Redemption", "description": "A wrongfully imprisoned man forms an inspiring friendship while finding hope and redemption in the darkest of places."},
{"title": "The Godfather", "description": "A powerful mafia family struggles to balance loyalty, power, and betrayal in this iconic crime saga."},
{"title": "The Dark Knight", "description": "Batman faces his greatest challenge as he battles the chaos unleashed by the Joker in Gotham City."},
{"title": "Jingle All the Way", "description": "A desperate father goes to hilarious lengths to secure the season's hottest toy for his son on Christmas Eve."},
{"title": "A Christmas Carol", "description": "A miserly old man is transformed after being visited by three ghosts on Christmas Eve in this timeless tale of redemption."}
]
collection = client.collections.use("DemoCollection")
with collection.batch.fixed_size(batch_size=200) as batch:
for src_obj in source_objects:
batch.add_object(
properties={
"title": src_obj["title"],
"description": src_obj["description"],
},
)
if batch.number_errors > 10:
print("Batch import stopped due to excessive errors.")
break
failed_objects = collection.batch.failed_objects
if failed_objects:
print(f"Number of failed imports: {len(failed_objects)}")
print(f"First failed object: {failed_objects[0]}")
let srcObjects = [
{ title: "The Shawshank Redemption", description: "A wrongfully imprisoned man forms an inspiring friendship while finding hope and redemption in the darkest of places." },
{ title: "The Godfather", description: "A powerful mafia family struggles to balance loyalty, power, and betrayal in this iconic crime saga." },
{ title: "The Dark Knight", description: "Batman faces his greatest challenge as he battles the chaos unleashed by the Joker in Gotham City." },
{ title: "Jingle All the Way", description: "A desperate father goes to hilarious lengths to secure the season's hottest toy for his son on Christmas Eve." },
{ title: "A Christmas Carol", description: "A miserly old man is transformed after being visited by three ghosts on Christmas Eve in this timeless tale of redemption." }
];
const collectionName = 'DemoCollection'
const myCollection = client.collections.use(collectionName)
let dataObjects = new Array();
for (let srcObject of srcObjects) {
dataObjects.push({
title: srcObject.title,
description: srcObject.description,
});
}
const response = await myCollection.data.insertMany(dataObjects);
console.log(response);
func main() {
ctx := context.Background()
var sourceObjects = []map[string]string{
{"title": "The Shawshank Redemption", "description": "A wrongfully imprisoned man forms an inspiring friendship while finding hope and redemption in the darkest of places."},
{"title": "The Godfather", "description": "A powerful mafia family struggles to balance loyalty, power, and betrayal in this iconic crime saga."},
{"title": "The Dark Knight", "description": "Batman faces his greatest challenge as he battles the chaos unleashed by the Joker in Gotham City."},
{"title": "Jingle All the Way", "description": "A desperate father goes to hilarious lengths to secure the season's hottest toy for his son on Christmas Eve."},
{"title": "A Christmas Carol", "description": "A miserly old man is transformed after being visited by three ghosts on Christmas Eve in this timeless tale of redemption."},
}
objects := []models.PropertySchema{}
for i := range sourceObjects {
objects = append(objects, map[string]interface{}{
"title": sourceObjects[i]["title"],
"description": sourceObjects[i]["description"],
})
}
batcher := client.Batch().ObjectsBatcher()
for _, dataObj := range objects {
batcher.WithObjects(&models.Object{
Class: "DemoCollection",
Properties: dataObj,
})
}
batchRes, err := batcher.Do(ctx)
if err != nil {
panic(err)
}
for _, res := range batchRes {
if res.Result.Errors != nil {
for _, err := range res.Result.Errors.Error {
if err != nil {
fmt.Printf("Error details: %v\n", *err)
panic(err.Message)
}
}
}
}
}
List<Map<String, Object>> sourceObjects = List.of(Map.of("title", "The Shawshank Redemption",
"description",
"A wrongfully imprisoned man forms an inspiring friendship while finding hope and redemption in the darkest of places."),
Map.of("title", "The Godfather", "description",
"A powerful mafia family struggles to balance loyalty, power, and betrayal in this iconic crime saga."),
Map.of("title", "The Dark Knight", "description",
"Batman faces his greatest challenge as he battles the chaos unleashed by the Joker in Gotham City."),
Map.of("title", "Jingle All the Way", "description",
"A desperate father goes to hilarious lengths to secure the season's hottest toy for his son on Christmas Eve."),
Map.of("title", "A Christmas Carol", "description",
"A miserly old man is transformed after being visited by three ghosts on Christmas Eve in this timeless tale of redemption."));
CollectionHandle<Map<String, Object>> collection = client.collections.use("DemoCollection");
InsertManyResponse response = collection.data.insertMany(sourceObjects.toArray(new Map[0]));
if (!response.errors().isEmpty()) {
System.err.printf("Number of failed imports: %d\n", response.errors().size());
System.err.printf("First failed object error: %s\n", response.errors().get(0));
} else {
System.out.printf("Successfully inserted %d objects.\n", response.uuids().size());
}
List<HashMap<String, Object>> objects = new ArrayList<>();
for (Map<String, String> sourceObject : sourceObjects) {
HashMap<String, Object> schema = new HashMap<>();
schema.put("title", sourceObject.get("title"));
schema.put("description", sourceObject.get("description"));
objects.add(schema);
}
ObjectsBatcher batcher = client.batch().objectsBatcher();
for (Map<String, Object> properties : objects) {
batcher.withObject(WeaviateObject.builder()
.className("DemoCollection")
.properties(properties)
.build()
);
}
batcher.run();
var sourceObjects = new[]
{
new
{
title = "The Shawshank Redemption",
description = "A wrongfully imprisoned man forms an inspiring friendship while finding hope and redemption in the darkest of places.",
},
new
{
title = "The Godfather",
description = "A powerful mafia family struggles to balance loyalty, power, and betrayal in this iconic crime saga.",
},
new
{
title = "The Dark Knight",
description = "Batman faces his greatest challenge as he battles the chaos unleashed by the Joker in Gotham City.",
},
new
{
title = "Jingle All the Way",
description = "A desperate father goes to hilarious lengths to secure the season's hottest toy for his son on Christmas Eve.",
},
new
{
title = "A Christmas Carol",
description = "A miserly old man is transformed after being visited by three ghosts on Christmas Eve in this timeless tale of redemption.",
},
};
var collection = client.Collections.Use("DemoCollection");
var response = await collection.Data.InsertMany(sourceObjects);
if (response.HasErrors)
{
Console.WriteLine($"Number of failed imports: {response.Errors.Count()}");
Console.WriteLine($"First failed object error: {response.Errors.First().Message}");
}
else
{
Console.WriteLine($"Successfully inserted {response.Objects.Count()} objects.");
}
If you already have a compatible model vector available, you can provide it directly to Weaviate. This can be useful if you have already generated embeddings using the same model and want to use them in Weaviate, such as when migrating data from another system.
Searches
Once the vectorizer is configured, Weaviate will perform vector and hybrid search operations using the specified WED model.

Vector (near text) search
When you perform a vector search, Weaviate converts the text query into an embedding using the specified model and returns the most similar objects from the database.
The query below returns the n most similar objects from the database, set by limit.
collection = client.collections.use("DemoCollection")
response = collection.query.near_text(
query="A holiday film",
limit=2
)
for obj in response.objects:
print(obj.properties["title"])
const collectionName = 'DemoCollection'
const myCollection = client.collections.use(collectionName)
let result;
result = await myCollection.query.nearText(
'A holiday film',
{
limit: 2,
}
)
console.log(JSON.stringify(result.objects, null, 2));
func main() {
ctx := context.Background()
nearTextResponse, err := client.GraphQL().Get().
WithClassName("DemoCollection").
WithFields(
graphql.Field{Name: "title"},
).
WithNearText(client.GraphQL().NearTextArgBuilder().
WithConcepts([]string{"A holiday film"})).
WithLimit(2).
Do(ctx)
if err != nil {
panic(err)
}
fmt.Printf("%v", nearTextResponse)
}
CollectionHandle<Map<String, Object>> collection = client.collections.use("DemoCollection");
var response = collection.query.nearText("A holiday film",
q -> q.limit(2).returnMetadata(Metadata.DISTANCE));
for (var o : response.objects()) {
System.out.println(o.properties().get("title"));
}
Fields returnFields = Fields.builder()
.fields(new Field[]{
Field.builder().name("title").build(),
})
.build();
NearTextArgument nearText = NearTextArgument.builder()
.concepts(new String[]{"A holiday film"})
.build();
String nearTextQuery = GetBuilder.builder()
.className("DemoCollection")
.fields(returnFields)
.withNearTextFilter(nearText)
.limit(2)
.build()
.buildQuery();
Result<GraphQLResponse> nearTextResult = client.graphQL().raw().withQuery(nearTextQuery).run();
if (nearTextResult.hasErrors()) {
System.err.println(nearTextResult.getError());
} else {
System.out.println("Near Text Results: " + nearTextResult.getResult().getData());
}
var collection = client.Collections.Use("DemoCollection");
var response = await collection.Query.NearText(
"A holiday film",
limit: 2,
returnMetadata: MetadataOptions.Distance
);
foreach (var o in response.Objects)
{
Console.WriteLine(o.Properties["title"]);
}
Hybrid search
A hybrid search performs a vector search and a keyword (BM25) search, before combining the results to return the best matching objects from the database.
When you perform a hybrid search, Weaviate converts the text query into an embedding using the specified model and returns the best scoring objects from the database.
The query below returns the n best scoring objects from the database, set by limit.
collection = client.collections.use("DemoCollection")
response = collection.query.hybrid(
query="A holiday film",
limit=2
)
for obj in response.objects:
print(obj.properties["title"])
const collectionName = 'DemoCollection'
const myCollection = client.collections.use(collectionName)
result = await myCollection.query.hybrid(
'A holiday film',
{
limit: 2,
}
)
console.log(JSON.stringify(result.objects, null, 2));
func main() {
ctx := context.Background()
hybridResponse, err := client.GraphQL().Get().
WithClassName("DemoCollection").
WithFields(
graphql.Field{Name: "title"},
).
WithHybrid(client.GraphQL().HybridArgumentBuilder().
WithQuery("A holiday film")).
WithLimit(2).
Do(ctx)
if err != nil {
panic(err)
}
fmt.Printf("%v", hybridResponse)
}
CollectionHandle<Map<String, Object>> collection = client.collections.use("DemoCollection");
QueryResponse<Map<String, Object>> response = collection.query.hybrid("A holiday film",
q -> q.limit(2).returnMetadata(Metadata.DISTANCE));
for (var o : response.objects()) {
System.out.println(o.properties().get("title"));
}
Fields returnFields = Fields.builder()
.fields(new Field[]{
Field.builder().name("title").build(),
})
.build();
HybridArgument hybrid = HybridArgument.builder()
.query("A holiday film")
.build();
String hybridQuery = GetBuilder.builder()
.className("DemoCollection")
.fields(returnFields)
.withHybridFilter(hybrid)
.limit(2)
.build()
.buildQuery();
Result<GraphQLResponse> hybridResult = client.graphQL().raw().withQuery(hybridQuery).run();
if (hybridResult.hasErrors()) {
System.err.println(hybridResult.getError());
} else {
System.out.println("Hybrid Results: " + hybridResult.getResult().getData());
}
var collection = client.Collections.Use("DemoCollection");
var response = await collection.Query.Hybrid(
"A holiday film",
limit: 2,
returnMetadata: MetadataOptions.Distance
);
foreach (var o in response.Objects)
{
Console.WriteLine(o.Properties["title"]);
}
Available models
Snowflake/snowflake-arctic-embed-l-v2.0 (default)
- A 568M parameter, 1024-dimensional model for multilingual enterprise retrieval tasks.
- Trained with Matryoshka Representation Learning to allow vector truncation with minimal loss.
- Quantization-friendly: Using scalar quantization and 256 dimensions provides 99% of unquantized, full-precision performance.
- Read more at the Snowflake blog, and the Hugging Face model card
- Allowable
dimensions: 1024 (default), 256
Snowflake/snowflake-arctic-embed-m-v1.5
- A 109M parameter, 768-dimensional model for enterprise retrieval tasks in English.
- Trained with Matryoshka Representation Learning to allow vector truncation with minimal loss.
- Quantization-friendly: Using scalar quantization and 256 dimensions provides 99% of unquantized, full-precision performance.
- Read more at the Snowflake blog, and the Hugging Face model card
- Allowable
dimensions: 768 (default), 256
Currently, input exceeding the model's context windows is truncated from the right (i.e. the end of the input).
Further resources
Code examples
Once the integrations are configured at the collection, the data management and search operations in Weaviate work identically to any other collection. See the following model-agnostic examples:
Multimodal embeddings
Looking to embed document images instead of text? See Weaviate Embeddings: Multimodal for visual document retrieval without OCR or preprocessing.
References
Pricing
Weaviate Embeddings models are charged based on token usage. For more pricing information, see the Weaviate Cloud pricing page.
Questions and feedback
If you have any questions or feedback, let us know in the user forum.