8000 GitHub - xai-org/xai-sdk-python: The official Python SDK for the xAI API
[go: up one dir, main page]
More Web Proxy on the site http://driver.im/
Skip to content

xai-org/xai-sdk-python

Repository files navigation

xAI Logo

xAI Python SDK

The official Python SDK for xAI's APIs

PyPI Version License Python Version

The xAI Python SDK is a gRPC-based Python library for interacting with xAI's APIs. Built for Python 3.10 and above, it offers both synchronous and asynchronous clients.

Whether you're generating text, images, or structured outputs, the xAI SDK is designed to be intuitive, robust, and developer-friendly.

Documentation

Comprehensive documentation is available at docs.x.ai. Explore detailed guides, API references, and tutorials to get the most out of the xAI SDK.

Installation

Install from PyPI with pip.

pip install xai-sdk

Alternatively you can also use uv

uv add xai-sdk

Requirements

Python 3.10 or higher is required to use the xAI SDK.

Usage

The xAI SDK supports both synchronous (xai_sdk.Client) and asynchronous (xai_sdk.AsyncClient) clients. For a complete set of examples demonstrating the SDK's capabilities, including authentication, chat, image generation, function calling, and more, refer to the examples folder.

Client Instantiation

To use the xAI SDK, you need to instantiate either a synchronous or asynchronous client. By default, the SDK looks for an environment variable named XAI_API_KEY for authentication. If this variable is set, you can instantiate the clients without explicitly passing the API key:

from xai_sdk import Client, AsyncClient

# Synchronous client
sync_client = Client()

# Asynchronous client
async_client = AsyncClient()

If you prefer to explicitly pass the API key, you can do so using os.getenv or by loading it from a .env file using the python-dotenv package:

import os
from dotenv import load_dotenv
from xai_sdk import Client, AsyncClient

load_dotenv()

api_key = os.getenv("XAI_API_KEY")
sync_client = Client(api_key=api_key)
async_client = AsyncClient(api_key=api_key)

Make sure to set the XAI_API_KEY environment variable or load it from a .env file before using the SDK. This ensures secure handling of your API key without hardcoding it into your codebase.

Multi-Turn Chat (Synchronous)

The xAI SDK supports multi-turn conversations with a simple append method to manage conversation history, making it ideal for interactive applications.

First, create a chat instance, start appending messages to it, and finally call sample to yield a response from the model. While the underlying APIs are still stateless, this approach makes it easy to manage the message history.

from xai_sdk import Client
from xai_sdk.chat import system, user

client = Client()
chat = client.chat.create(
    model="grok-3",
    messages=[system("You are a pirate assistant.")]
)

while True:
    prompt = input("You: ")
    if prompt.lower() == "exit":
        break
    chat.append(user(prompt))
    response = chat.sample()
    print(f"Grok: {response.content}")
    chat.append(response)

Multi-Turn Chat (Asynchronous)

For async usage, simply import AsyncClient instead of Client.

import asyncio
from xai_sdk import AsyncClient
from xai_sdk.chat import system, user

async def main():
    client = AsyncClient()
    chat = client.chat.create(
        model="grok-3",
        messages=[system("You are a pirate assistant.")]
    )

    while True:
        prompt = input("You: ")
        if prompt.lower() == "exit":
            break
        chat.append(user(prompt))
        response = await chat.sample()
        print(f"Grok: {response.content}")
        chat.append(response)

if __name__ == "__main__":
    asyncio.run(main())

Streaming

The xAI SDK supports streaming responses, allowing you to process model outputs in real-time, which is ideal for interactive applications like chatbots. The stream method returns a tuple containing response and chunk. The chunks contain the text deltas from the stream, while the response variable automatically accumulates the response as the stream progresses.

from xai_sdk import Client
from xai_sdk.chat import user

client = Client()
chat = client.chat.create(model="grok-3")

while True:
    prompt = input("You: ")
    if prompt.lower() == "exit":
        break
    chat.append(user(prompt))
    print("Grok: ", end="", flush=True)
    for response, chunk in chat.stream():
        print(chunk.content, end="", flush=True)
    print()
    chat.append(response)

Image Understanding

You can easily interleave images and text together, making tasks like image understanding and analysis easy.

from xai_sdk import Client
from xai_sdk.chat import image, user

client = Client()
chat = client.chat.create(model="grok-2-vision")

chat.append(
    user(
        "Which animal looks happier in these images?",
        image("https://images.unsplash.com/photo-1561037404-61cd46aa615b"),   # Puppy
        image("https://images.unsplash.com/photo-1514888286974-6c03e2ca1dba") # Kitten
    )
)
response = chat.sample()
print(f"Grok: {response.content}")

Advanced Features

The xAI SDK excels in advanced use cases, such as:

Timeouts

The xAI SDK allows you to set a timeout for API requests during client initialization. This timeout applies to all RPCs and methods used with that client instance. The default timeout is 15 minutes (900 seconds).

It is not currently possible to specify timeouts for an individual RPC/client method.

To set a custom timeout, pass the timeout parameter when creating the Client or AsyncClient. The timeout is specified in seconds.

Example for synchronous client:

from xai_sdk import Client

# Set timeout to 5 minutes (300 seconds)
sync_client = Client(timeout=300)

Example for asynchronous client:

from xai_sdk import AsyncClient

# Set timeout to 5 minutes (300 seconds)
async_client = AsyncClient(timeout=300)

In the case of a timeout, a grpc.RpcError (for synchronous clients) or grpc.aio.AioRpcError (for asynchronous clients) will be raised with the gRPC status code grpc.StatusCode.DEADLINE_EXCEEDED.

Retries

The xAI SDK has retries enabled by default for certain types of failed requests. If the service returns an UNAVAILABLE error, the SDK will automatically retry the request with exponential backoff. The default retry policy is configured as follows:

  • Maximum Attempts: 5
  • Initial Backoff: 0.1 seconds
  • Maximum Backoff: 1 second
  • Backoff Multiplier: 2

This means that after an initial failure, the SDK will wait 0.1 seconds before the first retry, then 0.2 seconds, 0.4 seconds, and so on, up to a maximum of 1 second between attempts, for a total of up to 5 attempts.

You can disable retries by setting the grpc.enable_retries channel option to 0 when initializing the client:

from xai_sdk import Client

# Disable retries
sync_client = Client(channel_options=[("grpc.enable_retries", 0)])

Similarly, for the asynchronous client:

from xai_sdk import AsyncClient

# Disable retries
async_client = AsyncClient(channel_options=[("grpc.enable_retries", 0)])

Custom Retry Policy

You can configure your own retry policy by setting the grpc.service_config channel option with a JSON string that defines the retry behavior. The JSON structure should follow the gRPC service config format. Here's an example of how to set a custom retry policy:

import json
from xai_sdk import Client

# Define a custom retry policy
custom_retry_policy = json.dumps({
    "methodConfig": [{
        "name": [{}], # Applies to all methods
        "retryPolicy": {
            "maxAttempts": 3,         # Reduced number of attempts
            "initialBackoff": "0.5s", # Longer initial wait
            "maxBackoff": "2s",       # Longer maximum wait
            "backoffMultiplier": 1.5, # Slower increase in wait time
            "retryableStatusCodes": ["UNAVAILABLE", "RESOURCE_EXHAUSTED"] # Additional status code for retry
        }
    }]
})

# Initialize client with custom retry policy
sync_client = Client(channel_options=[
    ("grpc.service_config", custom_retry_policy)
])

Similarly, for the asynchronous client:

import json
from xai_sdk import AsyncClient

# Define a custom retry policy
custom_retry_policy = json.dumps({
    "methodConfig": [{
        "name": [{}], # Applies to all methods
        "retryPolicy": {
            "maxAttempts": 3,         # Reduced number of attempts
            "initialBackoff": "0.5s", # Longer initial wait
            "maxBackoff": "2s",       # Longer maximum wait
            "backoffMultiplier": 1.5, # Slower increase in wait time
            "retryableStatusCodes": ["UNAVAILABLE", "RESOURCE_EXHAUSTED"] # Additional status code for retry
        }
    }]
})

# Initialize async client with custom retry policy
async_client = AsyncClient(channel_options=[
    ("grpc.service_config", custom_retry_policy)
])

In this example, the custom policy reduces the maximum number of attempts to 3, increases the initial backoff to 0.5 seconds, sets a maximum backoff of 2 seconds, uses a smaller backoff multiplier of 1.5, and allows retries on both UNAVAILABLE and RESOURCE_EXHAUSTED status codes.

Note that when setting a custom grpc.service_config, it will override the default retry policy.

Accessing Underlying Proto Objects

In rare cases, you might need to access the raw proto object returned from an API call. While the xAI SDK is designed to expose most commonly needed fields directly on the response objects for ease of use, there could be scenarios where accessing the underlying proto object is necessary for advanced or custom processing.

You can access the raw proto object on any response by using the .proto attribute. Here's an example of how to do this with a chat response:

from xai_sdk import Client
from xai_sdk.chat import user

client = Client()
chat = client.chat.create(model="grok-3")
chat.append(user("Hello, how are you?"))
response = chat.sample()

# Access the underlying proto object
# In this case, this will be of type xai_sdk.proto.chat_pb2.GetChatCompletionResponse
proto_object = response.proto
print(proto_object)

Please note that you should rarely need to interact with the proto object directly, as the SDK is built to provide a more user-friendly interface to the data. Use this approach only when specific fields or data structures not exposed by the SDK are required for your application. If you find yourself needing to regularly access the proto object directly, please consider opening an issue so that we can improve the experience.

Error Codes

When using the xAI SDK, you may encounter various error codes returned by the API. These errors are based on gRPC status codes and provide insight into what went wrong with a request. For the synchronous client (Client), errors will be of type grpc.RpcError, while for the asynchronous client (AsyncClient), errors will be of type grpc.aio.AioRpcError.

Below is a table of common gRPC status codes you might encounter when using the xAI SDK:

gRPC Status Code Meaning xAI SDK/API Context
UNKNOWN An unknown error occurred. An unexpected issue occurred on the server side, not specifically related to the request.
INVALID_ARGUMENT The client specified an invalid argument. An invalid argument was provided to the model/endpoint, such as incorrect parameters or malformed input.
DEADLINE_EXCEEDED The deadline for the request expired before the operation completed. Raised if the request exceeds the timeout specified by the client (default is 900 seconds, configurable during client instantiation).
NOT_FOUND A specified resource was not found. A requested model or resource does not exist.
PERMISSION_DENIED The caller does not have permission to execute the specified operation. The API key is disabled, blocked, or lacks sufficient permissions to access a specific model or feature.
UNAUTHENTICATED The request does not have valid authentication credentials. The API key is missing, invalid, or expired.
RESOURCE_EXHAUSTED A resource quota has been exceeded (e.g., rate limits). The user has exceeded their API usage quota or rate limits for requests.
INTERNAL An internal error occurred. An internal server error occurred on the xAI API side.
UNAVAILABLE The service is currently unavailable. This is often a transient error. The model or endpoint invoked is temporarily down or there are connectivity issues. The SDK defaults to automatically retrying errors with this status code.
DATA_LOSS Unrecoverable data loss or corruption occurred. Occurs when a user provides an image via URL in API calls (e.g., in a chat conversation) and the server fails to fetch the image from that URL.

These error codes can help diagnose issues with API requests. When handling errors, ensure you check the specific status code to understand the nature of the problem and take appropriate action.

Versioning

The xAI SDK generally follows Semantic Versioning (SemVer) to ensure a clear and predictable approach to versioning. Semantic Versioning uses a three-part version number in the format MAJOR.MINOR.PATCH, where:

  • MAJOR version increments indicate backwards-incompatible API changes.
  • MINOR version increments indicate the addition of backward-compatible functionality.
  • PATCH version increments indicate backward-compatible bug fixes.

This approach helps developers understand the impact of upgrading to a new version of the SDK. We strive to maintain backward compatibility in minor and patch releases, ensuring that your applications continue to work seamlessly. However, please note that while we aim to restrict breaking changes to major version updates, some backwards incompatible changes to library internals may occasionally occur in minor or patch releases. These changes will typically not affect the public API, but if you are interacting with internal components or structures, we recommend reviewing release notes for each update to avoid unexpected issues.

This project maintains a changelog such that developers can track updates and changes to the SDK as new versions are released.

Determining the Installed Version

You can easily check the version of the xAI SDK installed in your environment using either of the following methods:

  • Using pip/uv: Run the following command in your terminal to see the installed version of the SDK:

    pip show xai-sdk

    or

    uv pip show xai-sdk

    This will display detailed information about the package, including the version number.

  • Programmatically in Python: You can access the version information directly in your code by importing the SDK and checking the __version__ attribute:

    import xai_sdk
    print(xai_sdk.__version__)

These methods allow you to confirm which version of the xAI SDK you are currently using, which can be helpful for debugging or ensuring compatibility with specific features.

License

The xAI SDK is distributed under the Apache-2.0 License

Contributing

See the documentation on contributing to this project.

0