turbopuffer 1.19.0


pip install turbopuffer

  Latest version

Released: Mar 18, 2026


Meta
Author: Turbopuffer
Requires Python: >=3.9

Classifiers

Intended Audience
  • Developers

License
  • OSI Approved :: MIT License

Operating System
  • MacOS
  • Microsoft :: Windows
  • OS Independent
  • POSIX
  • POSIX :: Linux

Programming Language
  • Python :: 3.9
  • Python :: 3.10
  • Python :: 3.11
  • Python :: 3.12
  • Python :: 3.13
  • Python :: 3.14

Topic
  • Software Development :: Libraries :: Python Modules

Typing
  • Typed

turbopuffer Python API library

PyPI version

The turbopuffer Python library provides convenient access to the Turbopuffer HTTP API from any Python 3.9+ application. The library includes type definitions for all request params and response fields, and offers both synchronous and asynchronous clients powered by httpx.

It is generated with Stainless.

MCP Server

Use the Turbopuffer MCP Server to enable AI assistants to interact with this API, allowing them to explore endpoints, make test requests, and use documentation to help integrate this SDK into your application.

Add to Cursor Install in VS Code

Note: You may need to set environment variables in your MCP client.

Documentation

The HTTP API documentation can be found at turbopuffer.com/docs.

Installation

# install from PyPI
pip install turbopuffer

Usage

import os
from turbopuffer import Turbopuffer

tpuf = Turbopuffer(
    # Pick the right region https://turbopuffer.com/docs/regions
    region="gcp-us-central1",
    # This is the default and can be omitted
    api_key=os.environ.get("TURBOPUFFER_API_KEY"),
)

ns = tpuf.namespace("example")

# Query nearest neighbors with a vector.
vector_result = ns.query(
    rank_by=("vector", "ANN", [0.1, 0.2]),
    top_k=10,
    filters=("And", (("name", "Eq", "foo"), ("public", "Eq", 1))),
    include_attributes=["name"],
)
print(vector_result.rows)
# [Row(id=1, vector=None, $dist=0.009067952632904053, name='foo')]

# Full-text search on an attribute.
fts_result = ns.query(
    top_k=10,
    filters=("name", "Eq", "foo"),
    rank_by=("text", "BM25", "quick walrus"),
)
print(fts_result.rows)
# [Row(id=1, vector=None, $dist=0.19, name='foo')]
# [Row(id=2, vector=None, $dist=0.168, name='foo')]

# See https://turbopuffer.com/docs/quickstart for more.

While you can provide an api_key keyword argument, we recommend using python-dotenv to add TURBOPUFFER_API_KEY="tpuf_A1..." to your .env file so that your API Key is not stored in source control.

Async usage

Simply import AsyncTurbopuffer instead of Turbopuffer and use await with each API call:

import os
import asyncio
from turbopuffer import AsyncTurbopuffer

tpuf = AsyncTurbopuffer(
    # Pick the right region https://turbopuffer.com/docs/regions
    region="gcp-us-central1",
    # This is the default and can be omitted
    api_key=os.environ.get("TURBOPUFFER_API_KEY"),
)

ns = tpuf.namespace("example")


async def main() -> None:
    # Query nearest neighbors with a vector.
    vector_result = await ns.query(
        rank_by=("vector", "ANN", [0.1, 0.2]),
        top_k=10,
        filters=("And", (("name", "Eq", "foo"), ("public", "Eq", 1))),
        include_attributes=["name"],
    )
    print(vector_result.rows)
    # [Row(id=1, vector=None, $dist=0.009067952632904053, name='foo')]

    # Full-text search on an attribute.
    fts_result = await ns.query(
        top_k=10,
        filters=("name", "Eq", "foo"),
        rank_by=("text", "BM25", "quick walrus"),
    )
    print(fts_result.rows)
    # [Row(id=1, vector=None, $dist=0.19, name='foo')]
    # [Row(id=2, vector=None, $dist=0.168, name='foo')]

    # See https://turbopuffer.com/docs/quickstart for more.


asyncio.run(main())

Functionality between the synchronous and asynchronous clients is otherwise identical.

With aiohttp

By default, the async client uses httpx for HTTP requests. However, for improved concurrency performance you may also use aiohttp as the HTTP backend.

You can enable this by installing aiohttp:

# install from PyPI
pip install turbopuffer[aiohttp]

Then you can enable it by instantiating the client with http_client=DefaultAioHttpClient():

import os
import asyncio
from turbopuffer import DefaultAioHttpClient
from turbopuffer import AsyncTurbopuffer


async def main() -> None:
    async with AsyncTurbopuffer(
        api_key=os.environ.get("TURBOPUFFER_API_KEY"),  # This is the default and can be omitted
        http_client=DefaultAioHttpClient(),
    ) as client:
        response = await client.namespaces.write(
            namespace="products",
            distance_metric="cosine_distance",
            upsert_rows=[
                {
                    "id": "2108ed60-6851-49a0-9016-8325434f3845",
                    "vector": [0.1, 0.2],
                }
            ],
        )
        print(response.rows_affected)


asyncio.run(main())

Using types

Nested request parameters are TypedDicts. Responses are Pydantic models which also provide helper methods for things like:

  • Serializing back into JSON, model.to_json()
  • Converting to a dictionary, model.to_dict()

Typed requests and responses provide autocomplete and documentation within your editor. If you would like to see type errors in VS Code to help catch bugs earlier, set python.analysis.typeCheckingMode to basic.

Pagination

List methods in the Turbopuffer API are paginated.

This library provides auto-paginating iterators with each list response, so you do not have to request successive pages manually:

from turbopuffer import Turbopuffer

client = Turbopuffer()

all_clients = []
# Automatically fetches more pages as needed.
for client in client.namespaces(
    prefix="products",
):
    # Do something with client here
    all_clients.append(client)
print(all_clients)

Or, asynchronously:

import asyncio
from turbopuffer import AsyncTurbopuffer

client = AsyncTurbopuffer()


async def main() -> None:
    all_clients = []
    # Iterate through items across all pages, issuing requests as needed.
    async for client in client.namespaces(
        prefix="products",
    ):
        all_clients.append(client)
    print(all_clients)


asyncio.run(main())

Alternatively, you can use the .has_next_page(), .next_page_info(), or .get_next_page() methods for more granular control working with pages:

first_page = await client.namespaces(
    prefix="products",
)
if first_page.has_next_page():
    print(f"will fetch next page using these details: {first_page.next_page_info()}")
    next_page = await first_page.get_next_page()
    print(f"number of items we just fetched: {len(next_page.namespaces)}")

# Remove `await` for non-async usage.

Or just work directly with the returned data:

first_page = await client.namespaces(
    prefix="products",
)

print(f"next page cursor: {first_page.next_cursor}")  # => "next page cursor: ..."
for client in first_page.namespaces:
    print(client.id)

# Remove `await` for non-async usage.

Nested params

Nested parameters are dictionaries, typed using TypedDict, for example:

from turbopuffer import Turbopuffer

client = Turbopuffer()

response = client.namespaces.write(
    namespace="namespace",
    encryption={},
)
print(response.encryption)

Handling errors

When the library is unable to connect to the API (for example, due to network connection problems or a timeout), a subclass of turbopuffer.APIConnectionError is raised.

When the API returns a non-success status code (that is, 4xx or 5xx response), a subclass of turbopuffer.APIStatusError is raised, containing status_code and response properties.

All errors inherit from turbopuffer.APIError.

import turbopuffer
from turbopuffer import Turbopuffer

client = Turbopuffer()

try:
    client.namespaces(
        prefix="foo",
    )
except turbopuffer.APIConnectionError as e:
    print("The server could not be reached")
    print(e.__cause__)  # an underlying Exception, likely raised within httpx.
except turbopuffer.RateLimitError as e:
    print("A 429 status code was received; we should back off a bit.")
except turbopuffer.APIStatusError as e:
    print("Another non-200-range status code was received")
    print(e.status_code)
    print(e.response)

Error codes are as follows:

Status Code Error Type
400 BadRequestError
401 AuthenticationError
403 PermissionDeniedError
404 NotFoundError
422 UnprocessableEntityError
429 RateLimitError
>=500 InternalServerError
N/A APIConnectionError

Retries

Certain errors are automatically retried 4 times by default, with a short exponential backoff. Connection errors (for example, due to a network connectivity problem), 408 Request Timeout, 409 Conflict, 429 Rate Limit, and >=500 Internal errors are all retried by default.

You can use the max_retries option to configure or disable retry settings:

from turbopuffer import Turbopuffer

# Configure the default for all requests:
client = Turbopuffer(
    # default is 2
    max_retries=0,
)

# Or, configure per-request:
client.with_options(max_retries=5).namespaces(
    prefix="foo",
)

Timeouts

By default requests time out after 1 minute. You can configure this with a timeout option, which accepts a float or an httpx.Timeout object:

from turbopuffer import Turbopuffer

# Configure the default for all requests:
client = Turbopuffer(
    # 20 seconds (default is 1 minute)
    timeout=20.0,
)

# More granular control:
client = Turbopuffer(
    timeout=httpx.Timeout(60.0, read=5.0, write=10.0, connect=2.0),
)

# Override per-request:
client.with_options(timeout=5.0).namespaces(
    prefix="foo",
)

On timeout, an APITimeoutError is thrown.

Note that requests that time out are retried twice by default.

Advanced

Logging

We use the standard library logging module.

You can enable logging by setting the environment variable TURBOPUFFER_LOG to info.

$ export TURBOPUFFER_LOG=info

Or to debug for more verbose logging.

How to tell whether None means null or missing

In an API response, a field may be explicitly null, or missing entirely; in either case, its value is None in this library. You can differentiate the two cases with .model_fields_set:

if response.my_field is None:
  if 'my_field' not in response.model_fields_set:
    print('Got json like {}, without a "my_field" key present at all.')
  else:
    print('Got json like {"my_field": null}.')

Accessing raw response data (e.g. headers)

The "raw" Response object can be accessed by prefixing .with_raw_response. to any HTTP method call, e.g.,

from turbopuffer import Turbopuffer

client = Turbopuffer()
response = client.with_raw_response.namespaces(
    prefix="foo",
)
print(response.headers.get('X-My-Header'))

client = response.parse()  # get the object that `namespaces()` would have returned
print(client.id)

These methods return an APIResponse object.

The async client returns an AsyncAPIResponse with the same structure, the only difference being awaitable methods for reading the response content.

.with_streaming_response

The above interface eagerly reads the full response body when you make the request, which may not always be what you want.

To stream the response body, use .with_streaming_response instead, which requires a context manager and only reads the response body once you call .read(), .text(), .json(), .iter_bytes(), .iter_text(), .iter_lines() or .parse(). In the async client, these are async methods.

with client.with_streaming_response.namespaces(
    prefix="foo",
) as response:
    print(response.headers.get("X-My-Header"))

    for line in response.iter_lines():
        print(line)

The context manager is required so that the response will reliably be closed.

Making custom/undocumented requests

This library is typed for convenient access to the documented API.

If you need to access undocumented endpoints, params, or response properties, the library can still be used.

Undocumented endpoints

To make requests to undocumented endpoints, you can make requests using client.get, client.post, and other http verbs. Options on the client will be respected (such as retries) when making this request.

import httpx

response = client.post(
    "/foo",
    cast_to=httpx.Response,
    body={"my_param": True},
)

print(response.headers.get("x-foo"))

Undocumented request params

If you want to explicitly send an extra param, you can do so with the extra_query, extra_body, and extra_headers request options.

Undocumented response properties

To access undocumented response properties, you can access the extra fields like response.unknown_prop. You can also get all the extra fields on the Pydantic model as a dict with response.model_extra.

Configuring the HTTP client

You can directly override the httpx client to customize it for your use case, including:

import httpx
from turbopuffer import Turbopuffer, DefaultHttpxClient

client = Turbopuffer(
    # Or use the `TURBOPUFFER_BASE_URL` env var
    base_url="http://my.test.server.example.com:8083",
    http_client=DefaultHttpxClient(
        proxy="http://my.test.proxy.example.com",
        transport=httpx.HTTPTransport(local_address="0.0.0.0"),
    ),
)

You can also customize the client on a per-request basis by using with_options():

client.with_options(http_client=DefaultHttpxClient(...))

Managing HTTP resources

By default the library closes underlying HTTP connections whenever the client is garbage collected. You can manually close the client using the .close() method if desired, or with a context manager that closes when exiting.

from turbopuffer import Turbopuffer

with Turbopuffer() as client:
  # make requests here
  ...

# HTTP client is now closed

Compression

By default, the library does not use compression. This is optimal for most use cases where CPU efficiency is prioritized over bandwidth. If your application is bandwidth-constrained but has available CPU resources, you may benefit from enabling compression:

from turbopuffer import Turbopuffer

client = Turbopuffer(
    compression=True,
)

Versioning

This package generally follows SemVer conventions, though certain backwards-incompatible changes may be released as minor versions:

  1. Changes that only affect static types, without breaking runtime behavior.
  2. Changes to library internals which are technically public but not intended or documented for external use. (Please open a GitHub issue to let us know if you are relying on such internals.)
  3. Changes that we do not expect to impact the vast majority of users in practice.

We take backwards-compatibility seriously and work hard to ensure you can rely on a smooth upgrade experience.

We are keen for your feedback; please open an issue with questions, bugs, or suggestions.

Determining the installed version

If you've upgraded to the latest version but aren't seeing any new features you were expecting then your python environment is likely still using an older version.

You can determine the version that is being used at runtime with:

import turbopuffer
print(turbopuffer.__version__)

Requirements

Python 3.9 or higher.

Contributing

See the contributing documentation.

1.19.0 Mar 18, 2026
1.18.0 Mar 15, 2026
1.17.0 Mar 03, 2026
1.16.2 Feb 24, 2026
1.16.1 Feb 20, 2026
1.16.0 Feb 17, 2026
1.15.1 Feb 16, 2026
1.15.0 Feb 08, 2026
1.14.0 Feb 03, 2026
1.13.1 Feb 01, 2026
1.13.0 Feb 01, 2026
1.12.1 Jan 09, 2026
1.12.0 Dec 20, 2025
1.11.0 Dec 18, 2025
1.10.0 Dec 07, 2025
1.9.1 Dec 05, 2025
1.9.0 Dec 05, 2025
1.9.0b4 Dec 04, 2025
1.9.0b3 Dec 03, 2025
1.9.0b2 Dec 02, 2025
1.9.0b1 Dec 02, 2025
1.8.1 Dec 01, 2025
1.8.0 Nov 25, 2025
1.7.0 Nov 17, 2025
1.6.0 Nov 17, 2025
1.5.0 Oct 22, 2025
1.4.1 Oct 15, 2025
1.4.0 Oct 15, 2025
1.3.1 Oct 06, 2025
1.3.0 Sep 24, 2025
1.2.0 Sep 12, 2025
1.1.0 Sep 02, 2025
1.0.0 Aug 28, 2025
0.6.5 Aug 18, 2025
0.6.4 Aug 13, 2025
0.6.3 Aug 12, 2025
0.6.2 Aug 11, 2025
0.6.1 Aug 08, 2025
0.6.0 Aug 01, 2025
0.5.17 Jul 29, 2025
0.5.16 Jul 29, 2025
0.5.15 Jul 28, 2025
0.5.14 Jul 23, 2025
0.5.13 Jul 18, 2025
0.5.12 Jul 10, 2025
0.5.11 Jul 09, 2025
0.5.10 Jul 07, 2025
0.5.9 Jul 01, 2025
0.5.8 Jun 20, 2025
0.5.7 Jun 19, 2025
0.5.6 Jun 16, 2025
0.5.5 Jun 15, 2025
0.5.4 Jun 15, 2025
0.5.3 Jun 12, 2025
0.5.2 Jun 11, 2025
0.5.1 Jun 11, 2025
0.5.0 Jun 10, 2025
0.5.0a15 Jun 09, 2025
0.5.0a14 Jun 09, 2025
0.5.0a13 Jun 06, 2025
0.5.0a12 Jun 03, 2025
0.5.0a11 Jun 03, 2025
0.5.0a10 Jun 03, 2025
0.5.0a9 May 30, 2025
0.5.0a8 May 30, 2025
0.5.0a7 May 29, 2025
0.5.0a6 May 29, 2025
0.5.0a5 May 29, 2025
0.5.0a4 May 29, 2025
0.5.0a3 May 29, 2025
0.5.0a2 May 29, 2025
0.5.0a1 May 29, 2025
0.4.1 May 14, 2025
0.4.0 May 14, 2025
0.3.0 May 08, 2025
0.2.4 May 08, 2025
0.2.3 May 07, 2025
0.2.2 Apr 18, 2025
0.2.1 Apr 10, 2025
0.2.0 Apr 10, 2025
0.1.39 May 07, 2025
0.1.38 Apr 10, 2025
0.1.37 Apr 10, 2025
0.1.36 Apr 06, 2025
0.1.35 Mar 21, 2025
0.1.34 Mar 20, 2025
0.1.33 Mar 04, 2025
0.1.32 Feb 27, 2025
0.1.31 Feb 25, 2025
0.1.30 Feb 22, 2025
0.1.29 Feb 20, 2025
0.1.28 Feb 19, 2025
0.1.27 Jan 24, 2025
0.1.26 Jan 14, 2025
0.1.25 Dec 17, 2024
0.1.24 Dec 17, 2024
0.1.23 Nov 21, 2024
0.1.22 Oct 28, 2024
0.1.21 Aug 15, 2024
0.1.20 Aug 15, 2024
0.1.19 Aug 15, 2024
0.1.18 Jul 31, 2024
0.1.17 Jul 31, 2024
0.1.16 Jul 17, 2024
0.1.15 Jun 07, 2024
0.1.14 Jun 06, 2024
0.1.13 Jun 06, 2024
0.1.12 Jun 05, 2024
0.1.11 May 23, 2024
0.1.10 May 21, 2024
0.1.9 Apr 02, 2024
0.1.8 Mar 14, 2024
0.1.7 Feb 08, 2024
0.1.6 Jan 25, 2024
0.1.5 Jan 15, 2024
0.1.4 Jan 15, 2024
0.1.3 Jan 13, 2024
0.1.2 Dec 21, 2023
0.1.1 Dec 17, 2023
0.1.0 Dec 17, 2023

Wheel compatibility matrix

Platform Python 3
any

Files in release

Extras:
Dependencies:
aiohttp (<4,>=3.10.11)
anyio (<5,>=3.5.0)
distro (<2,>=1.7.0)
httpx (<1,>=0.23.0)
orjson (<4,>=3.10.15)
pybase64 (<2,>=1.4.1)
pydantic (<3,>=1.9.0)
sniffio
typing-extensions (<5,>=4.13)
typing-extensions (<5,>=4.14)