The Swiss Army Llama is designed to facilitate and optimize the process of working with local LLMs by using FastAPI to expose convenient REST endpoints for various tasks, including obtaining text embeddings and completions using different LLMs via llama_cpp, as well as automating the process of obtaining all the embeddings for most common document types, including PDFs (even ones that require OCR), Word files, etc; it even allows you to submit an audio file and automatically transcribes it with the Whisper model, cleans up the resulting text, and then computes the embeddings for it. To avoid wasting computation, these embeddings are cached in SQlite and retrieved if they have already been computed before. To speed up the process of loading multiple LLMs, optional RAM Disks can be used, and the process for creating and managing them is handled automatically for you. With a quick and easy setup process, you will immediately get access to a veritable "Swiss Army Knife" of LLM related tools, all accessible via a convenient Swagger UI and ready to be integrated into your own applications with minimal fuss or configuration required.
Some additional useful endpoints are provided, such as computing semantic similarity between submitted text strings. The service leverages a high-performance Rust-based library, fast_vector_similarity
, to offer a range of similarity measures including spearman_rho
, kendall_tau
, approximate_distance_correlation
, jensen_shannon_similarity
, and hoeffding_d
. Additionally, semantic search across all your cached embeddings is supported using FAISS vector searching. You can either use the built in cosine similarity from FAISS, or supplement this with a second pass that computes the more sophisticated similarity measures for the most relevant subset of the stored vectors found using cosine similarity (see the advanced semantic search endpoint for this functionality).
Also, we now support multiple embedding pooling methods for combining token-level embedding vectors into a single fixed-length embedding vector for any length of input text, including the following:
mean
: Mean pooling of token embeddings.mins_maxes
: Concatenation of the minimum and maximum values of each dimension of the token embeddings.svd
: Concatenation of the first two singular vectors obtained from the Singular Value Decomposition (SVD) of the token embeddings matrix.svd_first_four
: Concatenation of the first four singular vectors obtained from the Singular Value Decomposition (SVD) of the token embeddings matrix.ica
: Flattened independent components obtained from Independent Component Analysis (ICA) of the token embeddings.factor_analysis
: Flattened factors obtained from Factor Analysis of the token embeddings.gaussian_random_projection
: Flattened embeddings obtained from Gaussian Random Projection of the token embeddings.
As mentioned above, you can now submit not only plaintext and fully digital PDFs but also MS Word documents, images, and other file types supported by the textract library. The library can automatically apply OCR using Tesseract for scanned text. The returned embeddings for each sentence in a document can be organized in various formats like records, table, etc., using the Pandas to_json() function. The results can be returned either as a ZIP file containing a JSON file or as a direct JSON response. You can now also submit audio files in MP3 or WAV formats. The library uses OpenAI's Whisper model, as optimized by the Faster Whisper Python library, to transcribe the audio into text. Optionally, this transcript can be treated like any other document, with each sentence's embeddings computed and stored. The results are returned as a URL to a downloadable ZIP file containing a JSON with the embedding vector data.
Finally, we add a new endpoint for generating multiple text completions for a given input prompt, with the ability to specify a grammar file that will enforce a particular form of response, such as JSON. There is also a useful new utility feature: a real-time application log viewer that can be accessed via a web browser, which allows for syntax highlighting and offers options for downloading the logs or copying them to the clipboard. This allows a user to watch the logs without having direct SSH access to the server.
TLDR: If you just want to try it very quickly on a fresh Ubuntu 22+ machine (warning, this will install docker using apt):
git clone https://github.com/Dicklesworthstone/swiss_army_llama
cd swiss_army_llama
chmod +x setup_dockerized_app_on_fresh_machine.sh
sudo ./setup_dockerized_app_on_fresh_machine.sh
To run it natively (not using Docker) in a Python venv (recommended!), you can use these commands:
sudo apt-get update
sudo apt-get install build-essential libxml2-dev libxslt1-dev antiword unrtf poppler-utils pstotext tesseract-ocr flac ffmpeg lame libmad0 libsox-fmt-mp3 sox libjpeg-dev swig redis-server libpoppler-cpp-dev pkg-config -y
sudo systemctl enable redis-server
sudo systemctl start redis
git clone https://github.com/Dicklesworthstone/swiss_army_llama
cd swiss_army_llama
python3 -m venv venv
source venv/bin/activate
python3 -m pip install --upgrade pip
python3 -m pip install wheel
python3 -m pip install --upgrade setuptools wheel
pip install -r requirements.txt
python3 swiss_army_llama.py
Alternatively, you can also just run the included script, which will install PyEnv if it's not already installed on your machine, and then install Python 3.12 and create a virtual environment for you. You can do everything with a single one-liner from scratch on a fresh Ubuntu machine like this:
git clone https://github.com/Dicklesworthstone/swiss_army_llama && cd swiss_army_llama && chmod +x install_swiss_army_llama.sh && ./install_swiss_army_llama.sh && pyenv local 3.12 && source venv/bin/activate && python swiss_army_llama.py
Then open a browser to <your_static_ip_address>:8089
if you're using a VPS to get to the FastAPI Swagger page at http://localhost:8089
.
Or to localhost:8089
if you're using your own machine-- but, really, you should never run untrusted code with sudo on your own machine! Just get a cheap VPS to experiment with for $30/month.
Watch the the automated setup process in action here.
- Text Embedding Computation: Utilizes pre-trained LLama3 and other LLMs via llama_cpp to generate embeddings for any provided text.
- Embedding Caching: Efficiently stores and retrieves computed embeddings in SQLite, minimizing redundant computations.
- Advanced Similarity Measurements and Retrieval: Utilizes the author's own
fast_vector_similarity
library written in Rust to offer highly optimized advanced similarity measures such asspearman_rho
,kendall_tau
,approximate_distance_correlation
,jensen_shannon_similarity
, andhoeffding_d
. Semantic search across cached embeddings is also supported using FAISS vector searching. - Two-Step Advanced Semantic Search: The API first leverages FAISS and cosine similarity for rapid filtering, and then applies additional similarity measures like
spearman_rho
,kendall_tau
,approximate_distance_correlation
,jensen_shannon_similarity
, andhoeffding_d
for a more nuanced comparison. - File Processing for Documents: The library now accepts a broader range of file types including plaintext, PDFs, MS Word documents, and images. It can also handle OCR automatically. Returned embeddings for each sentence are organized in various formats like records, table, etc., using Pandas to_json() function.
- Advanced Text Preprocessing: The library now employs a more advanced sentence splitter to segment text into meaningful sentences. It handles cases where periods are used in abbreviations, domain names, or numbers and also ensures complete sentences even when quotes are used. It also takes care of pagination issues commonly found in scanned documents, such as awkward newlines and hyphenated line breaks.
- Audio Transcription and Embedding: Upload an audio file in MP3 or WAV format. The library uses OpenAI's Whisper model for transcription. Optionally, sentence embeddings can be computed for the transcript.
- RAM Disk Usage: Optionally uses RAM Disk to store models for faster access and execution. Automatically handles the creation and management of RAM Disks.
- Robust Exception Handling: Features comprehensive exception management to ensure system resilience.
- Interactive API Documentation: Integrates with Swagger UI for an interactive and user-friendly experience, accommodating large result sets without crashing.
- Scalability and Concurrency: Built on the FastAPI framework, handles concurrent requests and supports parallel inference with configurable concurrency levels.
- Flexible Configurations: Offers configurable settings through environment variables and input parameters, including response formats like JSON or ZIP files.
- Comprehensive Logging: Captures essential information with detailed logs, without overwhelming storage or readability.
- Support for Multiple Models and Measures: Accommodates multiple embedding models and similarity measures, allowing flexibility and customization based on user needs.
- Ability to Generate Multiple Completions using Specified Grammar: Get back structured LLM completions for a specified input prompt.
- Real-Time Log File Viewer in Browser: Lets anyone with access to the API server conveniently watch the application logs to gain insight into the execution of their requests.
- Uses Redis for Request Locking: Uses Redis to allow for multiple Uvicorn workers to run in parallel without conflicting with each other.
Here is the live console output while I interact with it from the Swagger page to make requests.
System requirements for running the application (to support all the file types handled by textract):
sudo apt-get update
sudo apt-get install libxml2-dev libxslt1-dev antiword unrtf poppler-utils pstotext tesseract-ocr flac ffmpeg lame libmad0 libsox-fmt-mp3 sox libjpeg-dev swig -y
Python Requirements:
aioredis
aioredlock
aiosqlite
apscheduler
faiss-cpu
fast_vector_similarity
fastapi
faster-whisper
filelock
httpx
llama-cpp-python
magika
mutagen
nvgpu
pandas
pillow
psutil
pydantic
PyPDF2
pytest
python-decouple
python-multipart
pytz
redis
ruff
scikit-learn
scipy
sqlalchemy
textract-py3
uvicorn
uvloop
zstandard
You can run the application using the following command:
python swiss_army_llama.py
The server will start on 0.0.0.0
at the port defined by the SWISS_ARMY_LLAMA_SERVER_LISTEN_PORT
variable.
Access the Swagger UI:
http://localhost:<SWISS_ARMY_LLAMA_SERVER_LISTEN_PORT>
You can configure the service easily by editing the included .env
file. Here's a list of available configuration options:
USE_SECURITY_TOKEN
: Whether to use a hardcoded security token. (e.g.,1
)USE_PARALLEL_INFERENCE_QUEUE
: Use parallel processing. (e.g.,1
)MAX_CONCURRENT_PARALLEL_INFERENCE_TASKS
: Maximum number of parallel inference tasks. (e.g.,30
)DEFAULT_MODEL_NAME
: Default model name to use. (e.g.,Llama-3-8B-Instruct-64k
)LLM_CONTEXT_SIZE_IN_TOKENS
: Context size in tokens for LLM. (e.g.,512
)SWISS_ARMY_LLAMA_SERVER_LISTEN_PORT
: Port number for the service. (e.g.,8089
)UVICORN_NUMBER_OF_WORKERS
: Number of workers for Uvicorn. (e.g.,2
)MINIMUM_STRING_LENGTH_FOR_DOCUMENT_EMBEDDING
: Minimum string length for document embedding. (e.g.,15
)MAX_RETRIES
: Maximum retries for locked database. (e.g.,10
)DB_WRITE_BATCH_SIZE
: Database write batch size. (e.g.,25
)RETRY_DELAY_BASE_SECONDS
: Retry delay base in seconds. (e.g.,1
)JITTER_FACTOR
: Jitter factor for retries. (e.g.,0.1
)USE_RAMDISK
: Use RAM disk. (e.g.,1
)RAMDISK_PATH
: Path to the RAM disk. (e.g.,"/mnt/ramdisk"
)RAMDISK_SIZE_IN_GB
: RAM disk size in GB. (e.g.,40
)
If you'd like to contribute to the project, please submit a pull request! Seriously, I'd love to get some more community going so we can make this a standard library!
This project is licensed under the MIT License.
To enable password-less sudo for RAM Disk setup and teardown, edit the sudoers
file with sudo visudo
. Add the following lines, replacing username
with your actual username:
username ALL=(ALL) NOPASSWD: /bin/mount -t tmpfs -o size=*G tmpfs /mnt/ramdisk
username ALL=(ALL) NOPASSWD: /bin/umount /mnt/ramdisk
The application provides functionalities to set up, clear, and manage RAM Disk. RAM Disk is used to store models in memory for faster access. It calculates the available RAM and sets up the RAM Disk accordingly. The functions setup_ramdisk
, copy_models_to_ramdisk
, and clear_ramdisk
manage these tasks.
The following endpoints are available:
- GET
/get_list_of_available_model_names/
: Retrieve Available Model Names. Retrieves the list of available model names for generating embeddings. - GET
/get_all_stored_strings/
: Retrieve All Strings. Retrieves a list of all stored strings from the database for which embeddings have been computed. - GET
/get_all_stored_documents/
: Retrieve All Stored Documents. Retrieves a list of all stored documents from the database for which embeddings have been computed. - GET
/show_logs/
: Shows logs for the last 5 minutes by default. Can also provide a parameter like this:/show_logs/{minutes}
to get the last N minutes of log data. - POST
/add_new_model/
: Add New Model by URL. Submit a new model URL for download and use. The model must be in.gguf
format and larger than 100 MB to ensure it's a valid model file (you can directly paste in the Huggingface URL) - POST
/get_embedding_vector_for_string/
: Retrieve Embedding Vector for a Given Text String. Retrieves the embedding vector for a given input text string using the specified model. - POST
/compute_similarity_between_strings/
: Compute Similarity Between Two Strings. Leverages thefast_vector_similarity
library to compute the similarity between two given input strings using specified model embeddings and a selected similarity measure. - POST
/search_stored_embeddings_with_query_string_for_semantic_similarity/
: Get Most Similar Strings from Stored Embeddings in Database. Find the most similar strings in the database to the given input "query" text. - POST
/advanced_search_stored_embeddings_with_query_string_for_semantic_similarity/
: Perform a two-step advanced semantic search. First uses FAISS and cosine similarity to narrow down the most similar strings, then applies additional similarity measures for refined comparison. - POST
/get_all_embedding_vectors_for_document/
: Get Embeddings for a Document. Extract text embeddings for a document. This endpoint supports plain text, .doc/.docx (MS Word), PDF files, images (using Tesseract OCR), and many other file types supported by the textract library. - POST
/compute_transcript_with_whisper_from_audio/
: Transcribe and Embed Audio using Whisper and LLM. This endpoint accepts an audio file and optionally computes document embeddings. The transcription and embeddings are stored, and a ZIP file containing the embeddings can be downloaded. - POST
/get_text_completions_from_input_prompt/
: Get back multiple completions from the specified LLM model, with the ability to specify a grammar file which will enforce a particular format of the response, such as JSON. - POST
/clear_ramdisk/
: Clear Ramdisk Endpoint. Clears the RAM Disk if it is enabled.
For detailed request and response schemas, please refer to the Swagger UI available at the root URL or the section at the end of this README
.
The application has robust exception handling to deal with various types of errors, including database errors and general exceptions. Custom exception handlers are defined for SQLAlchemyError
and general Exception
.
Logging is configured at the INFO level to provide detailed logs for debugging and monitoring. The logger provides information about the state of the application, errors, and activities.
The logs are stored in a file named swiss_army_llama.log
, and a log rotation mechanism is implemented to handle log file backups. The rotating file handler is configured with a maximum file size of 10 MB, and it keeps up to 5 backup files.
When a log file reaches its maximum size, it is moved to the old_logs
directory, and a new log file is created. The log entries are also printed to the standard output stream.
Here are some details of the logging configuration:
- Log Level: INFO
- Log Format:
%(asctime)s - %(levelname)s - %(message)s
- Max Log File Size: 10 MB
- Backup Count: 5
- Old Logs Directory:
old_logs
Additionally, the log level for SQLAlchemy's engine is set to WARNING to suppress verbose database logs.
The application uses a SQLite database via SQLAlchemy ORM. Here are the data models used, which can be found in the embeddings_data_models.py
file:
id
: Primary Keytext
: Text for which the embedding was computedtext_hash
: Hash of the text, computed using SHA3-256embedding_pooling_method
: The method used to pool the embeddingsembedding_hash
: Hash of the computed embeddingllm_model_name
: Model used to compute the embeddingcorpus_identifier_string
: An optional string identifier for grouping embeddings into a specific corpusembedding_json
: The computed embedding in JSON formatip_address
: Client IP addressrequest_time
: Timestamp of the requestresponse_time
: Timestamp of the responsetotal_time
: Total time taken to process the requestdocument_file_hash
: Foreign Key referencing the DocumentEmbedding tabledocument
: Relationship with DocumentEmbedding
id
: Primary Keydocument_hash
: Foreign Key referencing the Documents tablefilename
: Name of the document filemimetype
: MIME type of the document filedocument_file_hash
: Hash of the fileembedding_pooling_method
: The method used to pool the embeddingsllm_model_name
: Model used to compute the embeddingcorpus_identifier_string
: An optional string identifier for grouping documents into a specific corpusfile_data
: Binary data of the original filesentences
: The extracted sentences from the documentdocument_embedding_results_json_compressed_binary
: The computed embedding results in JSON format compressed with Z-standard compressionip_address
: Client IP addressrequest_time
: Timestamp of the requestresponse_time
: Timestamp of the responsetotal_time
: Total time taken to process the requestembeddings
: Relationship with TextEmbeddingdocument
: Relationship with Document
id
: Primary Keyllm_model_name
: Model name associated with the documentcorpus_identifier_string
: An optional string identifier for grouping documents into a specific corpusdocument_hash
: Computed Hash of the documentdocument_embeddings
: Relationship with DocumentEmbedding
audio_file_hash
: Primary Keyaudio_file_name
: Name of the audio fileaudio_file_size_mb
: File size in MBsegments_json
: Transcribed segments as JSONcombined_transcript_text
: Combined transcript textcombined_transcript_text_list_of_metadata_dicts
: List of metadata dictionaries for each segment of the combined transcriptinfo_json
: Transcription info as JSONip_address
: Client IP addressrequest_time
: Timestamp of the requestresponse_time
: Timestamp of the responsetotal_time
: Total time taken to process the requestcorpus_identifier_string
: An optional string identifier for grouping transcripts into a specific corpus
-
TextEmbedding - DocumentEmbedding:
TextEmbedding
has a Foreign Keydocument_file_hash
that referencesDocumentEmbedding
'sdocument_file_hash
.- This means multiple text embeddings can belong to a single document embedding, establishing a one-to-many relationship.
-
DocumentEmbedding - Document:
DocumentEmbedding
has a Foreign Keydocument_hash
that referencesDocument
'sdocument_hash
.- This establishes a one-to-many relationship between
Document
andDocumentEmbedding
.
-
AudioTranscript:
- This table doesn't have a direct relationship with other tables based on the given code.
-
Request/Response Models:
- These are not directly related to the database tables but are used for handling API requests and responses.
- The following Pydantic models are used for request and response validation:
- EmbeddingRequest
- SimilarityRequest
- SemanticSearchRequest
- SemanticSearchResponse
- AdvancedSemanticSearchRequest
- AdvancedSemanticSearchResponse
- EmbeddingResponse
- SimilarityResponse
- AllStringsResponse
- AllDocumentsResponse
- TextCompletionRequest
- TextCompletionResponse
- ImageQuestionResponse
- AudioTranscriptResponse
- ShowLogsIncrementalModel
- AddGrammarRequest
- AddGrammarResponse
For detailed field descriptions and validations, please refer to the embeddings_data_models.py
file.
This section highlights the major performance enhancements integrated into the provided code to ensure swift responses and optimal resource management.
- Benefit: Handles multiple tasks concurrently, enhancing efficiency for I/O-bound operations like database transactions and network requests.
- Implementation: Utilizes Python's
asyncio
library for asynchronous database operations.
- Write-Ahead Logging (WAL) Mode: Enables concurrent reads and writes, optimizing for applications with frequent write demands.
- Retry Logic with Exponential Backoff: Manages locked databases by retrying operations with progressive waiting times.
- Batch Writes: Aggregates write operations for more efficient database interactions.
- DB Write Queue: Uses an asynchronous queue to serialize write operations, ensuring consistent and non-conflicting database writes.
- Benefit: Speeds up I/O-bound tasks by prioritizing operations in RAM over disk.
- Implementation: Detects and prioritizes a RAM disk (
/mnt/ramdisk
) if available, otherwise defaults to the standard file system.
- Benefit: Reduces overhead by keeping loaded models in memory for subsequent requests.
- Implementation: Uses a global
model_cache
dictionary to store and retrieve models.
- Benefit: Enhances processing speed for multiple data units, like document sentences.
- Implementation: Employs
asyncio.gather
for concurrent inferences, regulated by a semaphore (MAX_CONCURRENT_PARALLEL_INFERENCE_TASKS
).
- Benefit: Once embeddings are computed for a particular text, they are stored in the database, eliminating the need for re-computation during subsequent requests.
- Implementation: When a request is made to compute an embedding, the system first checks the database. If the embedding for the given text is found, it is returned immediately, ensuring faster response times.
A bash script is included in this repo, setup_dockerized_app_on_fresh_machine.sh
, that will automatically do everything for you, including installing docker with apt install.
To use it, first make the script executable and then run it like this:
chmod +x setup_dockerized_app_on_fresh_machine.sh
sudo ./setup_dockerized_app_on_fresh_machine.sh
If you prefer a manual setup, then read the following instructions:
Ensure that you have Docker installed on your system. If not, follow these steps to install Docker on Ubuntu:
sudo apt-get update
sudo apt-get install docker.io
sudo systemctl start docker
sudo docker --version
sudo usermod -aG docker $USER
You may need to log out and log back in or restart your system to apply the new group permissions, or use sudo in the following steps to build and run the container.
-
Clone the Repository:
Clone the Swiss Army Llama repository to your local machine:
git clone https://github.com/Dicklesworthstone/swiss_army_llama cd swiss_army_llama
-
Build the Docker Image:
Build the Docker image using the provided Dockerfile:
sudo docker build -t llama-embeddings .
-
Run the Docker Container:
Run the Docker container, mapping the container's port 8089 to the host's port 8089:
sudo docker run -p 8089:8089 llama-embeddings
-
Accessing the Application:
The FastAPI application will now be accessible at
http://localhost:8089
or at the static IP address of your VPS instance if you're running on one (You can get a 10-core, 30gb RAM, 1tb SSD with a static IP running Ubuntu 22.04 at Contabo for around $30/month, which is the cheapest I've found so far).You can interact then with the API using tools like
curl
or by accessing the FastAPI documentation athttp://localhost:8089/docs
. -
Viewing Logs:
Logs from the application can be viewed directly in the terminal where you ran the
docker run
command.
- To stop the running container, press
Ctrl+C
in the terminal or find the container ID usingdocker ps
and runsudo docker stop <container_id>
. - To remove the built image, use
sudo docker rmi llama-embeddings
.
During startup, the application performs the following tasks:
- Database Initialization:
- The application initializes the SQLite database, setting up tables and executing important PRAGMAs to optimize performance.
- Some of the important SQLite PRAGMAs include setting the database to use Write-Ahead Logging (WAL) mode, setting synchronous mode to NORMAL, increasing cache size to 1GB, setting the busy timeout to 2 seconds, and setting the WAL autocheckpoint to 100.
- Initialize Database Writer:
- A dedicated database writer (
DatabaseWriter
) is initialized with a dedicated asynchronous queue to handle the write operations. - A set of hashes is created which represents the operations that are currently being processed or have already been processed. This avoids any duplicate operations in the queue.
- A dedicated database writer (
- RAM Disk Setup:
- If the
USE_RAMDISK
variable is enabled and the user has the required permissions, the application sets up a RAM Disk. - The application checks if there's already a RAM Disk set up at the specified path, if not, it calculates the optimal size for the RAM Disk and sets it up.
- If the RAM Disk is enabled but the user lacks the required permissions, the RAM Disk feature is disabled and the application proceeds without it.
- If the
- Model Downloads:
- The application downloads the required models.
- Model Loading:
- Each downloaded model is loaded into memory. If any model file is not found, an error log is recorded.
- Build FAISS Indexes:
- The application creates FAISS indexes for efficient similarity search using the embeddings from the database.
- Associated texts are stored by model name for further use.
Note:
- If the RAM Disk feature is enabled but the user lacks the required permissions, the application will disable the RAM Disk feature and proceed without it.
- For any database operations, if the database is locked, the application will attempt to retry the operation a few times with an exponential backoff and a jitter.
Here's a detailed breakdown of the main endpoints provided by the FastAPI server, explaining their functionality, input parameters, and how they interact with underlying models and systems:
Retrieve the embedding vector for a given input text string using the specified model.
text
: The input text for which the embedding vector is to be retrieved.model_name
: The model used to calculate the embedding (optional, will use the default model if not provided).token
: Security token (optional).client_ip
: Client IP address (optional).
- Retrieve Embedding: The function retrieves or computes the embedding vector for the provided text using the specified or default model.
- Return Result: The embedding vector for the input text string is returned in the response.
Compute the similarity between two given input strings using specified model embeddings and a selected similarity measure.
text1
: The first input text.text2
: The second input text.llm_model_name
: The model used to calculate embeddings (optional).similarity_measure
: The similarity measure to be used. Supported measures includeall
,spearman_rho
,kendall_tau
,approximate_distance_correlation
,jensen_shannon_similarity
, andhoeffding_d
(optional, default isall
).
- Retrieve Embeddings: The embeddings for
text1
andtext2
are retrieved or computed using the specified or default model. - Compute Similarity: The similarity between the two embeddings is calculated using the specified similarity measure.
- Return Result: The similarity score, along with the embeddings and input texts, is returned in the response.
Find the most similar strings in the database to the given input "query" text. This endpoint uses a pre-computed FAISS index to quickly search for the closest matching strings.
query_text
: The input text for which to find the most similar string.model_name
: The model used to calculate embeddings.number_of_most_similar_strings_to_return
: (Optional) The number of most similar strings to return, defaults to 10.token
: Security token (optional).
- Search FAISS Index: The FAISS index, built on stored embeddings, is searched to find the most similar embeddings to the
query_text
. - Return Result: The most similar strings found in the database, along with the similarity scores, are returned in the response.
Performs a two-step advanced semantic search. Utilizes FAISS and cosine similarity for initial filtering, followed by additional similarity measures for refined comparisons.
query_text
: The input text for which to find the most similar strings.llm_model_name
: The model used to calculate embeddings.similarity_filter_percentage
: (Optional) Percentage of embeddings to filter based on cosine similarity; defaults to 0.02 (i.e., top 2%).number_of_most_similar_strings_to_return
: (Optional) Number of most similar strings to return after second similarity measure; defaults to 10.
- Initial Filtering: Use FAISS and cosine similarity to find a set of similar strings.
- Refined Comparison: Apply additional similarity measures to the filtered set.
- Return Result: Return the most similar strings along with their multiple similarity scores.
{
"query_text": "Find me the most similar string!",
"llm_model_name": "openchat_v3.2_super",
"similarity_filter_percentage": 0.02,
"number_of_most_similar_strings_to_return": 5
}
Extract text embeddings for a document. The library now supports a wide range of file types including plain text, .doc/.docx, PDF files, images (using Tesseract OCR), and many other types supported by the textract
library.
file
: The uploaded document file (either plain text, .doc/.docx, PDF, etc.).llm_model_name
: (Optional) The model used to calculate embeddings.json_format
: (Optional) The format of the JSON response.send_back_json_or_zip_file
: Whether to return a JSON file or a ZIP file containing the embeddings file (optional, defaults tozip
).token
: Security token (optional).
Transcribe an audio file and optionally compute document embeddings for the resulting transcript. This endpoint uses the Whisper model for transcription and a language model for generating embeddings. The transcription and embeddings can then be stored, and a ZIP file containing the embeddings can be made available for download.
file
: The audio file that you need to upload for transcription.compute_embeddings_for_resulting_transcript_document
: Boolean to indicate whether document embeddings should be computed (optional, defaults to False).llm_model_name
: The language model used for computing embeddings (optional, defaults to the default model name).req
: HTTP request object for additional request metadata (optional).token
: Security token (optional).client_ip
: Client IP address (optional).
You will need to use a multipart/form-data request to upload the audio file. The additional parameters like compute_embeddings_for_resulting_transcript_document
and llm_model_name
can be sent along as form fields.
curl -X 'POST' \
'http://localhost:8000/compute_transcript_with_whisper_from_audio/' \
-H 'accept: application/json' \
-H 'Authorization: Bearer YOUR_ACCESS_TOKEN' \
-F 'file=@your_audio_file.wav' \
-F 'compute_embeddings_for_resulting_transcript_document=true' \
-F 'llm_model_name=custom-llm-model'
Generate text completions for a given input prompt using the specified model.
request
: A JSON object containing various options likeinput_prompt
,llm_model_name
, etc.token
: Security token (optional).req
: HTTP request object (optional).client_ip
: Client IP address (optional).
The JSON object should have the following keys:
input_prompt
llm_model_name
temperature
grammar_file_string
number_of_completions_to_generate
number_of_tokens_to_generate
{
"input_prompt": "The Kings of France in the 17th Century:",
"llm_model_name": "phind-codellama-34b-python-v1",
"temperature": 0.95,
"grammar_file_string": "json",
"number_of_tokens_to_generate": 500,
"number_of_completions_to_generate": 3
}
Retrieve the list of available model names for generating embeddings.
token
: Security token (optional).
Retrieve a list of all stored strings from the database for which embeddings have been computed.
token
: Security token (optional).
Retrieve a list of all stored documents from the database for which embeddings have been computed.
token
: Security token (optional).
Clear the RAM Disk to free up memory.
token
: Security token (optional).
Download a ZIP file containing document embeddings that were generated through the /compute_transcript_with_whisper_from_audio/
endpoint. The URL for this download will be supplied in the JSON response of the audio file transcription endpoint.
file_name
: The name of the ZIP file that you want to download.
Submit a new model URL for download and use. The model must be in .gguf
format and larger than 100 MB to ensure it's a valid model file.
model_url
: The URL of the model weight file, which must end with.gguf
.token
: Security token (optional).
Pooling methods are designed to aggregate token-level embeddings, which are typically variable in length due to differing numbers of tokens in sentences or documents. By converting these token-level embeddings into a single, fixed-length vector, we ensure that each input text is represented consistently, regardless of its length. This fixed-length vector can then be used in various machine learning models that require inputs of a consistent size.
The primary goal of these pooling methods is to retain as much useful information as possible from the original token-level embeddings while ensuring that the transformation is deterministic and does not distort the data. Each method achieves this by applying different statistical or mathematical techniques to summarize the token embeddings.
-
SVD (Singular Value Decomposition):
- How it works: Concatenates the first two singular vectors obtained from the SVD of the token embeddings matrix.
- Rationale: SVD is a dimensionality reduction technique that captures the most important features of the data. Using the first two singular vectors provides a compact representation that retains significant information.
-
SVD_First_Four:
- How it works: Uses the first four singular vectors obtained from the SVD of the token embeddings matrix.
- Rationale: By using more singular vectors, this method captures more of the variance in the data, providing a richer representation while still reducing dimensionality.
-
ICA (Independent Component Analysis):
- How it works: Applies ICA to the embeddings matrix to find statistically independent components, then flattens the result.
- Rationale: ICA is useful for identifying independent sources in the data, providing a representation that highlights these independent features.
-
Factor_Analysis:
- How it works: Applies factor analysis to the embeddings matrix to identify underlying factors, then flattens the result.
- Rationale: Factor analysis models the data in terms of latent factors, providing a summary that captures these underlying influences.
-
Gaussian_Random_Projection:
- How it works: Applies Gaussian random projection to reduce the dimensionality of the embeddings, then flattens the result.
- Rationale: This method provides a fast and efficient way to reduce dimensionality while preserving the pairwise distances between points, useful for large datasets.