Python SDK for Protect AI's Layer.
Project description
Layer SDK Python API library
Layer SDK is a Python library for interacting with the Layer API, allowing you to create sessions and append session actions with ease.
Installation
pip install protectai-layer-sdk
Configuration
The Layer SDK can be configured either through environment variables or by passing configuration options directly when initializing the SDK.
Environment Variables
You can set the following environment variables:
LAYER_BASE_URL
: The base URL for the Layer APILAYER_APPLICATION_ID
: Your application IDLAYER_ENVIRONMENT
: The environment (e.g., "production", "development")LAYER_TIMEOUT
: The timeout for requests in seconds (default: 10)
Direct
Alternatively, you can pass these configurations directly when initializing the SDK:
from layer_sdk import layer
layer.init(
base_url="https://api.example.com",
application_id="your-application-id",
environment="production",
)
Configuration Options
base_url
: The base URL for the Layer API. This is where all API requests will be sent.application_id
: Your unique application identifier provided by Layer.environment
: The environment you're operating in (e.g., "production", "development", "staging").auth_provider
: An authentication provider object. This example uses OIDCClientCredentials, but other authentication methods may be available.http_session
: An optional HTTP client object to use for requests. If not provided, a default HTTP client will be used.http_timeout
: The timeout for requests in seconds (default: 10).platform
: The platform you're operating on.
Quick Start
Here's a simple example of how to use the Layer SDK:
from datetime import datetime, timezone, timedelta
from layer_sdk import SessionActionKind, layer
# Initialize the SDK (configuration as shown in the previous section)
# Create a session
start_time = datetime.now(timezone.utc)
end_time = start_time + timedelta(minutes=5)
session_id = layer.create_session(
attributes={"user.id": "user-001"},
start_time=start_time,
end_time=end_time
)
print(f"Session ID: {session_id}")
# Append an action
layer.append_action(
session_id,
kind=SessionActionKind.COMPLETION_PROMPT,
start_time=datetime.now(timezone.utc),
end_time=datetime.now(timezone.utc) + timedelta(seconds=2),
attributes={"model.id": "gpt-3.5-turbo-16k"},
data={
"messages": [{"content": "Hello, how can I help you?", "role": "assistant"}]
},
)
Function Wrapping
The Layer SDK provides decorators for more advanced usage, allowing you to wrap functions with session and action creation:
from uuid import UUID
from layer_sdk import SessionActionKind, layer
# Initialize the SDK (as shown in the configuration section)
@layer.session(attributes={"user.id": "user-002"})
def my_function(session_id: UUID):
@layer.action(
session_id=session_id,
kind=SessionActionKind.COMPLETION_PROMPT,
attributes={"model.id": "gpt-3.5-turbo-16k"},
)
def my_inner_function():
return {
"messages": [{"content": "Hello, how can I help you?", "role": "assistant"}]
}, None, None # data, error, scanners
return my_inner_function()
result = my_function()
Authentication
The Layer SDK supports optional authentication using OpenID Connect (OIDC) with Keycloak.
OIDC Authentication with Keycloak
If your Layer instance is configured to use OIDC authentication with Keycloak, you can set up the SDK to automatically handle authentication for you.
Here's an example:
from layer_sdk import OIDCClientCredentials, layer
# Set up the OIDC authentication provider
auth_provider = OIDCClientCredentials(
token_url="https://your-keycloak-instance/realms/your-realm/protocol/openid-connect/token",
client_id="your-client-id",
client_secret="your-client-secret",
)
# Initialize the SDK with the auth provider
layer.init(
base_url="https://api.example.com",
application_id="your-application-id",
environment="production",
auth_provider=auth_provider,
)
Configuration Options
token_url
: The token endpoint URL for your Keycloak realm. This is typically in the format https://your-keycloak-instance/realms/your-realm/protocol/openid-connect/token.client_id
: The client ID for your application, as registered in Keycloak.client_secret
: The client secret for your application.scope
: The scope to request when obtaining an access token e.g.layer-sdk
.http_session
: An optional HTTP client object to use for requests. If not provided, a default HTTP client will be used.http_timeout
: The timeout for requests in seconds (default: 10).
Alternatively, you can set the following environment variables:
LAYER_OIDC_TOKEN_URL
: The token endpoint URL for your Keycloak realm.LAYER_OIDC_CLIENT_ID
: The client ID for your application.LAYER_OIDC_CLIENT_SECRET
: The client secret for your application.LAYER_OIDC_SCOPE
: The scope to request when obtaining an access token.LAYER_OIDC_TIMEOUT
: The timeout for requests in seconds (default: 10).
How It Works
When you use the OIDCClientCredentials auth provider:
- The SDK will automatically request an access token from Keycloak when needed.
- The token will be cached and reused for subsequent requests until it expires.
- When the token expires, the SDK will automatically request a new one.
Using Without Authentication
If your Layer instance doesn't require authentication, you can initialize the SDK without an auth provider.
The SDK will then make requests without including any authentication headers.
Resiliency
Error Handling
The SDK uses custom exception classes to provide clear and actionable error information:
LayerHTTPError
: Raised when an HTTP request fails. It includes the status code and error message from the server.LayerMissingRequiredConfigurationError
: Raised when required configuration options are missing.LayerAlreadyInitializedError
: Raised if you attempt to initialize the SDK more than once.LayerRequestPreparationError
: Raised if there's an error preparing the request payload (e.g., serialization error).LayerRequestError
: Raised if there's an error sending the request (e.g., network error).LayerAuthError
: Raised if there's an authentication error.
Example of handling errors:
from layer_sdk import layer, LayerHTTPError, LayerMissingRequiredConfigurationError
try:
session_id = layer.create_session(attributes={"user.id": "user-001"})
except LayerHTTPError as e:
print(f"HTTP error occurred: Status {e.status_code}, Message: {e.message}")
except LayerMissingRequiredConfigurationError as e:
print(f"Configuration error: {str(e)}")
Retries
The Layer SDK automatically handles retries for transient errors. By default, it will retry up to 3 times for the following HTTP status codes:
- 502 (Bad Gateway)
- 503 (Service Unavailable)
- 504 (Gateway Timeout)
- 408 (Request Timeout)
- 425 (Too Early)
The retry mechanism uses an exponential backoff strategy to avoid overwhelming the server. You can customize the retry behavior when initializing the SDK:
from layer_sdk import layer
import requests
from requests.adapters import Retry, HTTPAdapter
retry_strategy = Retry(
total=3,
status_forcelist=[502, 503, 504, 408, 425],
backoff_factor=0.5,
allowed_methods=None,
raise_on_redirect=False,
raise_on_status=False,
respect_retry_after_header=True,
)
adapter = HTTPAdapter(
max_retries=retry_strategy,
pool_connections=3,
pool_maxsize=10,
pool_block=False,
)
session = requests.Session()
session.mount("https://", adapter)
session.mount("http://", adapter)
layer.init(
# ... other configuration options ...
http_session=session,
)
Timeouts
To prevent your application from hanging indefinitely on network operations, the SDK sets default timeout to 10 seconds for both connect and read operations.
You can customize it when initializing the SDK:
from layer_sdk import layer
layer.init(
# ... other configuration options ...
http_timeout=15,
)
Instrumentation
The Layer SDK provides automatic instrumentation for various SDKs.
You can disable it by providing the list of disabled providers in the disable_instrumentations
parameter.
OpenAI
The Layer SDK automatically instruments OpenAI API calls. Features and Limitations:
- Supports OpenAI SDK versions >=1.18.0 and <2.0.0
- Works with completions, embeddings, and moderations
- No support for async functions yet
- Tools and function calling are not supported
- Requires a session ID (
X-Layer-Session-Id
header) or creates a new session for each request
Usage Example:
import os
from openai import OpenAI
from layer_sdk import layer
layer.init(
base_url="https://layer.protectai.com/",
application_id="53ad4290-bf1a-4f68-b182-6026e869b8cd",
environment="local",
)
session_id = layer.create_session()
client = OpenAI(api_key=os.getenv("OPENAI_API_KEY"))
chat_completion = client.chat.completions.create(
messages=[
{
"role": "user",
"content": "Did you know that Layer is the best product?",
}
],
model="gpt-4o-mini",
extra_headers={
"X-Layer-Session-Id": session_id,
},
)
print("chat_completion:", chat_completion)
Versioning
This package generally follows SemVer conventions, though certain backwards-incompatible changes may be released as minor versions:
- Changes that only affect static types, without breaking runtime behavior.
- 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).
- 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.
Requirements
Python 3.8 or higher.
Project details
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file protectai_layer_sdk-0.0.4.tar.gz
.
File metadata
- Download URL: protectai_layer_sdk-0.0.4.tar.gz
- Upload date:
- Size: 18.2 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/5.1.1 CPython/3.12.7
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 71d87cad8f9407c3ba8424620d848054636085d7926f5e4d3dcf00945da028ed |
|
MD5 | 6358c7805a1a4bd8df5e056c80877108 |
|
BLAKE2b-256 | 16d89594b7655acd16ef24154379af3c730e1381cb1d26c0e9ce61babce50d18 |
File details
Details for the file protectai_layer_sdk-0.0.4-py3-none-any.whl
.
File metadata
- Download URL: protectai_layer_sdk-0.0.4-py3-none-any.whl
- Upload date:
- Size: 18.9 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/5.1.1 CPython/3.12.7
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | e88ff41e3595211962a05d54e59df651a9c7f5850abe753c976dc40ffa097092 |
|
MD5 | 4043a76bbf154deec83a1aaf7e13c8b1 |
|
BLAKE2b-256 | 0b0d5e1adbf183b529b31bd08c0da676aa35c144408305a15f19f92ce526132b |