Adding extremely fast, low-latency, and scalable vector similarity search to django applications.
Full documentation for the project is available at https://pkavumba.github.io/django-vectordb/.
Django Vector Database is a powerful and flexible toolkit for adding vector similarity search capabilities to your Django applications. It is built on top of the lighteningly fast nearest neighbor search library: hnswlib.
Some reasons you might want to use Django Vector DB:
vectordb.filter(metadata__user_id=1).search("some text").only("text")
Note:
Version 0.4.0 introduces the
LOAD_EMBEDDING_MODEL_ON_STARTUP
setting, which allows you to control when the embedding model weights are loaded when using the defaultsentence-transformers
. While preloading the weights is advantageous in production environments, it can add a few seconds of delay during development. This option enables you to skip reloading the model weights on every startup.To enable this option, add the following in your
settings.py
:# settings.py { + # Disable preloading weights when in DEBUG or dev mode + LOAD_EMBEDDING_MODEL_ON_STARTUP: not DEBUG, }
Django VectorDB requires the following:
We highly recommend and only officially support the latest patch release of each Python and Django series.
The following packages are optional:
Follow these steps to quickly get started with using django-vectordb
in your project.
For full functionality out-of-the-box, it's recommended to install django-vectordb
with optional dependencies:
# This will install the optional dependencies above.
pip install "django-vectordb[standard]"
If you prefer not to install the optional packages at the moment, you can go for a minimal setup:
pip install django-vectordb
Add django-vectordb
to your Django project's settings within the INSTALLED_APPS
configuration:
INSTALLED_APPS = [
...
+ 'vectordb',
]
To create the necessary vectordb
database tables, run the migrations:
./manage.py migrate
In your models.py
, extend your models to include methods for vector database integration. The following adjustments can be made to a simple blog Post
model:
# your_app/models.py
from django.db import models
from django.contrib.auth import get_user_model
User = get_user_model()
class Post(models.Model):
title = models.CharField(max_length=100)
description = models.TextField()
user = models.ForeignKey(User, on_delete=models.CASCADE)
def __str__(self):
return self.title
+ def get_vectordb_text(self):
+ # Use title and description for vector search
+ return f"{self.title} \n\n {self.description}"
+
+ def get_vectordb_metadata(self):
+ # Enable filtering by any of these metadata
+ return {"title": self.title, "description": self.description, "user_id": self.user.id, "model": "post"}
To automate the process of syncing your Django models with Vectordb every time data is created, updated, or deleted, adjust your apps.py
as follows:
# `your_app/apps.py`
from django.apps import AppConfig
class BlogConfig(AppConfig):
default_auto_field = "django.db.models.BigAutoField"
name = "blog"
def ready(self):
+ from .models import Post
+ from vectordb.shortcuts import autosync_model_to_vectordb
+ autosync_model_to_vectordb(Post)
Manually synchronize your Django models with the vector database to update their embeddings:
./manage.py vectordb_sync blog Post
Use the vectordb.search()
function in your views or logic to perform vector search queries:
vectordb.search("Some text", k=10) # Where `k` is the max number of results.
If you want to get your model instances, such as Post
model instances, simply call unwrap on the query as below
vectordb.search("Some text", k=10).unwrap()
Note: unwrap
terminates the queryset because it returns Post
objects in a python list.
If you intend to use django-vectordb
through an API, integrating vectordb.urls
into your project’s root urls.py
file exposes all necessary CRUD and search functionalities:
urlpatterns = [
...
+ path('api/', include('vectordb.urls'))
]
This will make the vectordb accessible under the specified path, offering endpoints for CRUD operations and search functionalities.
Lets beging with a simple example for blog posts
from django.db import models
from django.contrib.auth import get_user_model
User = get_user_model()
class Post(models.Model):
title = models.CharField(max_length=100)
description = models.TextField()
user = models.ForeignKey(User, on_delete = models.CASCADE)
def __str__(self):
return self.title
To begin working with VectorDB, you'll first need to import it into your project. There are two ways to do this, depending on whether you'd like to use the simple proxy to the vector models manager, Vector.objects
, or the Vector model directly.
from vectordb import vectordb
from vectordb import get_vectordb_model
VectorModel = get_vectordb_model()
With either of these imports, you'll have access to all the Django manager functions available on the object. Note that you can run the commands detailed below using vectordb
or VectorModel.objects
, whichever you've chosen to import. For the rest of this guide we will use vectordb
.
Now that you've imported VectorDB, it's time to dive in and explore its powerful features!
First, let's make a few updates to the model to allow VectorDB to handle most tasks for us: add get_vectordb_text
and get_vectordb_metadata
methods.
from django.db import models
from django.contrib.auth import get_user_model
User = get_user_model()
class Post(models.Model):
title = models.CharField(max_length=100)
description = models.TextField()
user = models.ForeignKey(User, on_delete=models.CASCADE)
def __str__(self):
return self.title
+ def get_vectordb_text(self):
+ # Use title and description for vector search
+ return f"{self.title} -- {self.description}"
+
+ def get_vectordb_metadata(self):
+ # Enable filtering by any of these metadata
+ return {"title": self.title, "description": self.description, "user_id": self.user.id, "model": "post"}
In an existing project, you can run the vectordb_sync
management command to add all items to the database.
./manage.py vectordb_sync <app_name> <model_name>
For this example:
./manage.py vectordb_sync blog Post
VectorDB provides two utility methods for adding items to the database: vectordb.add_instance
or vectordb.add_text
. Note that for adding the instance, you need to provide the get_vectordb_text
and an optional get_vectordb_metadata
methods.
post1 = Post.objects.create(title="post1", description="post1 description", user=user1) # provide valid user
# add to vector database
vectordb.add_instance(post1)
To add text to the database, you can use vectordb.add_text()
:
vectordb.add_text(text="Hello text", id=3, metadata={"user_id": 1})
The text
and id
are required. Additionally, the id
must be unique, or an error will occur. metadata
can be None
or any valid JSON.
To enable auto sync, register the model to vectordb sync handlers in apps.py
. The sync handlers are signals defined in vectordb/sync_signals.py
.
from django.apps import AppConfig
class BlogConfig(AppConfig):
default_auto_field = "django.db.models.BigAutoField"
name = "blog"
+ def ready(self):
+ from .models import Post
+ from vectordb.shortcuts import autosync_model_to_vectordb
+ autosync_model_to_vectordb(Post)
This will automatically sync the vectors when you create and delete instances.
Note that signals are not called in bulk create, so you will need to sync manually when using those methods.
Ensure that your models implement the get_vectordb_text()
and/or get_vectordb_metadata()
methods.
To search, simply call vectordb.search()
:
vectordb.search("Some text", k=10) # k is the maximum number of results you want.
Note: The search
method returns a query whose results are order from best match. Each item will have the following fields: id
, content_object
, object_id
, content_type
, text
, embedding
, annotated distance
(lower is better), and a property vector
that returns the np.ndarray
representation of the item. Because search
gives us a QuerySet
we can choose the fields we want to see like sos:
vectordb.search("Some text", k=10).only('text', 'content_object')
If k
is not provided, the default value is 10.
Django vector database provides a powerful way to filter on metadata, using the intuitive Django QuerySet methods.
You can filter on text
or metadata
with the full power of Django QuerySet filtering. You can combine as many filters as needed. And since Django vector database is built on top of Django QuerySet, you can chain the filters with the search method. You can also filter on nested metadata fields.
# scope the search to user with an id 1
vectordb.filter(metadata__user_id=1).search("Some text", k=10)
# example two with more filters
vectordb.filter(text__icontains="Apple",
metadata__title__icontains="IPhone",
metadata__description__icontains="2023"
).search("Apple new phone", k=10)
If our metadata was nested like follows:
{
"text": "Sample text",
"metadata": {
"date": {
"year": 2021,
"month": 7,
"day": 20,
"time": {
"hh": 14,
"mm": 30,
"ss": 45
}
}
}
}
We can filter on the nested fields like so:
vectordb.filter(
metadata__date__year=2021,
metadata__date__time__hh=14
).search("Sample text", k=10)
We can also use model instances instead of text:
post1 = Post.objects.get(id=1)
# Limit the search scope to a user with an id of 1
results = vectordb.filter(metadata__user_id=1).search(post1, k=10)
# Scope the results to text which contains France, belonging to user with id 1 and created in 2023
vectordb.filter(text__icontains="Apple",
metadata__title__icontains="IPhone",
metadata__description__icontains="2023").search(post1, k=10)
Refer to the Django documentation on querying the JSONField
for more information on filtering.
You can provide your settings in the settings.py
file of your project. The following settings are available:
# settings.py
DJANGO_VECTOR_DB = {
"DEFAULT_EMBEDDING_CLASS": "vectordb.embedding_functions.SentenceTransformerEncoder",
"DEFAULT_EMBEDDING_MODEL": "all-MiniLM-L6-v2",
"DEFAULT_EMBEDDING_SPACE": "l2", # Can be "cosine" or "l2"
"DEFAULT_EMBEDDING_DIMENSION": 384, # Default is 384 for "all-MiniLM-L6-v2"
"DEFAULT_MAX_N_RESULTS": 10, # Number of results to return from search maximum is default is 10
"DEFAULT_MIN_SCORE": 0.0, # Minimum distance to return from search default is 0.0
"DEFAULT_MAX_BRUTEFORCE_N": 10_000, # Maximum number of items to search using brute force default is 10_000. If the number of items is greater than this number, the search will be done using the HNSW index.
}
To configure your application to use OpenAI embeddings, you will need to adjust the settings.py
as described below. These changes specify the use of OpenAI's embedding class, an appropriate embedding dimension that aligns with your choice of model, and the model identifier itself.
# settings.py adjustments for OpenAI integration
DJANGO_VECTOR_DB = {
- "DEFAULT_EMBEDDING_CLASS": "vectordb.embedding_functions.SentenceTransformerEncoder",
+ "DEFAULT_EMBEDDING_CLASS": "vectordb.openai_embeddings.OpenAIEmbeddings",
- "DEFAULT_EMBEDDING_MODEL": "all-MiniLM-L6-v2",
+ "DEFAULT_EMBEDDING_MODEL": "text-embedding-ada-002",
"DEFAULT_EMBEDDING_SPACE": "l2",
- "DEFAULT_EMBEDDING_DIMENSION": 384, # Default is 384 for "all-MiniLM-L6-v2"
+ "DEFAULT_EMBEDDING_DIMENSION": 1536, # Has to match the OpenAI model selected
"DEFAULT_MAX_N_RESULTS": 10,
"DEFAULT_MIN_SCORE": 0.0,
"DEFAULT_MAX_BRUTEFORCE_N": 10_000,
+ "OPENAI_API_KEY": os.environ.get("OPENAI_API_KEY", None), # Ensure this is properly set for OpenAI usage
}
Similarly, to switch your embedding provider to Cohere, you will need to make the following adjustments in the settings.py
. These changes will set Cohere as your embedding provider by specifying its embedding class, dimension, and the model you plan to use.
# settings.py adjustments for Cohere integration
DJANGO_VECTOR_DB = {
- "DEFAULT_EMBEDDING_CLASS": "vectordb.embedding_functions.SentenceTransformerEncoder",
+ "DEFAULT_EMBEDDING_CLASS": "vectordb.cohere.embed.CohereEmbeddings",
- "DEFAULT_EMBEDDING_MODEL": "all-MiniLM-L6-v2",
+ "DEFAULT_EMBEDDING_MODEL": "embed-multilingual-v3.0", # Or "embed-english-v3.0" for English only
"DEFAULT_EMBEDDING_SPACE": "l2",
- "DEFAULT_EMBEDDING_DIMENSION": 384, # Default is 384 for "all-MiniLM-L6-v2"
+ "DEFAULT_EMBEDDING_DIMENSION": 1024, # Has to match the Cohere model selected
"DEFAULT_MAX_N_RESULTS": 10,
"DEFAULT_MIN_SCORE": 0.0,
"DEFAULT_MAX_BRUTEFORCE_N": 10_000,
+ "COHERE_API_KEY": os.environ.get("COHERE_API_KEY", None), # Ensure this is properly set for Cohere usage
}
Can't wait to get started? The quickstart guide is the fastest way to get up and running, and building APIs with REST framework.
Clone the repository
$ git clone https://github.com/pkavumba/django-vectordb.git
Install the app in editable mode with all dev dependencies:
pip install -e .[dev]
If you're using the Zsh shell, please execute the following command (pay attention to the quotes):
pip install -e ".[dev]"
This command will install the app and its dev dependencies specified in the setup.cfg
file. The -e
flag installs the package in editable mode, which means that any changes you make to the app's source code will be reflected immediately without needing to reinstall the package. The [dev]
part tells pip
to install the dependencies listed under the "dev" section in the options.extras_require
of the setup.cfg
file.
Run tests
pytest
Or
tox