This package is an SDK for building secure AI-powered applications using Auth0, Okta FGA and LangChain.
Project description
Auth0 AI for LangChain
auth0-ai-langchain is an SDK for building secure AI-powered applications using Auth0, Okta FGA and LangChain.
Installation
⚠️ WARNING:
auth0-ai-langchainis currently under heavy development. We strictly follow Semantic Versioning (SemVer), meaning all breaking changes will only occur in major versions. However, please note that during this early phase, major versions may be released frequently as the API evolves. We recommend locking versions when using this in production.
pip install auth0-ai-langchain
Async Authorization
Auth0AI uses CIBA (Client-Initiated Backchannel Authentication) to handle user confirmation asynchronously. This is useful when you need to confirm a user action before proceeding with a tool execution.
Full Example of Async Authorization.
- Define a tool with the proper authorizer specifying a function to resolve the user id:
from auth0_ai_langchain.auth0_ai import Auth0AI
from auth0_ai_langchain.async_authorization import get_async_authorization_credentials
from langchain_core.runnables import ensure_config
from langchain_core.tools import StructuredTool
# If not provided, Auth0 settings will be read from env variables: `AUTH0_DOMAIN`, `AUTH0_CLIENT_ID`, and `AUTH0_CLIENT_SECRET`
auth0_ai = Auth0AI()
with_async_authorization = auth0_ai.with_async_authorization(
scopes=["stock:trade"],
audience=os.getenv("AUDIENCE"),
requested_expiry=os.getenv("REQUESTED_EXPIRY"),
binding_message=lambda ticker, qty: f"Authorize the purchase of {qty} {ticker}",
user_id=lambda *_, **__: ensure_config().get("configurable", {}).get("user_id"),
# Optional:
# store=InMemoryStore()
)
def tool_function(ticker: str, qty: int) -> str:
credentials = get_async_authorization_credentials()
headers = {
"Authorization": f"{credentials["token_type"]} {credentials["access_token"]}",
# ...
}
# Call API
trade_tool = with_async_authorization(
StructuredTool(
name="trade_tool",
description="Use this function to trade a stock",
func=trade_tool_function,
# ...
)
)
- Handle interruptions properly. For example, if user is not enrolled to MFA, it will throw an interruption. See Handling Interrupts section.
Async Authorization with RAR (Rich Authorization Requests)
Auth0AI supports RAR (Rich Authorization Requests) for CIBA. This allows you to provide additional authorization parameters to be displayed during the user confirmation request.
When defining the tool authorizer, you can specify the authorization_details parameter to include detailed information about the authorization being requested:
with_async_authorization = auth0_ai.with_async_authorization(
scopes=["stock:trade"],
audience=os.getenv("AUDIENCE"),
requested_expiry=os.getenv("REQUESTED_EXPIRY"),
binding_message=lambda ticker, qty: f"Authorize the purchase of {qty} {ticker}",
authorization_details=lambda ticker, qty: [
{
"type": "trade_authorization",
"qty": qty,
"ticker": ticker,
"action": "buy"
}
],
user_id=lambda *_, **__: ensure_config().get("configurable", {}).get("user_id"),
# Optional:
# store=InMemoryStore()
)
To use RAR with CIBA, you need to set up authorization details in your Auth0 tenant. This includes defining the authorization request parameters and their types. Additionally, the Guardian SDK is required to handle these authorization details in your authorizer app.
For more information on setting up RAR with CIBA, refer to:
Authorization for Tools
The FGAAuthorizer can leverage Okta FGA to authorize tools executions. The FGAAuthorizer.create function can be used to create an authorizer that checks permissions before executing the tool.
Full example of Authorization for Tools.
- Create an instance of FGA Authorizer:
from auth0_ai_langchain.fga import FGAAuthorizer
# If not provided, FGA settings will be read from env variables: `FGA_STORE_ID`, `FGA_CLIENT_ID`, `FGA_CLIENT_SECRET`, etc.
fga = FGAAuthorizer.create()
- Define the FGA query (
build_query) and, optionally, theon_unauthorizedhandler:
from langchain_core.runnables import ensure_config
async def build_fga_query(tool_input):
user_id = ensure_config().get("configurable",{}).get("user_id")
return {
"user": f"user:{user_id}",
"object": f"asset:{tool_input["ticker"]}",
"relation": "can_buy",
"context": {"current_time": datetime.now(timezone.utc).isoformat()}
}
def on_unauthorized(tool_input):
return f"The user is not allowed to buy {tool_input["qty"]} shares of {tool_input["ticker"]}."
use_fga = fga(
build_query=build_fga_query,
on_unauthorized=on_unauthorized,
)
Note: The parameters given to the build_query and on_unauthorized functions are the same as those provided to the tool function.
- Wrap the tool:
from langchain_core.tools import StructuredTool
async def buy_tool_function(ticker: str, qty: int) -> str:
# TODO: implement buy operation
return f"Purchased {qty} shares of {ticker}"
func=use_fga(buy_tool_function)
buy_tool = StructuredTool(
func=func,
coroutine=func,
name="buy",
description="Use this function to buy stocks",
)
Calling APIs On User's Behalf
The Auth0AI.with_token_vault function exchanges user's refresh token taken, by default, from the runnable configuration (config.configurable._credentials.refresh_token) for a Token Vault access token that is valid to call a third-party API.
Full Example of Calling APIs On User's Behalf.
Basic Usage
- Define a tool with the proper authorizer:
from auth0_ai_langchain.auth0_ai import Auth0AI
from auth0_ai_langchain.token_vault import get_credentials_from_token_vault
from langchain_core.tools import StructuredTool
# If not provided, Auth0 settings will be read from env variables: `AUTH0_DOMAIN`, `AUTH0_CLIENT_ID`, and `AUTH0_CLIENT_SECRET`
auth0_ai = Auth0AI()
with_google_calendar_access = auth0_ai.with_token_vault(
connection="google-oauth2",
scopes=["openid", "https://www.googleapis.com/auth/calendar.freebusy"],
# Optional:
# refresh_token=lambda *_, **__: ensure_config().get("configurable", {}).get("_credentials", {}).get("refresh_token"),
# authorization_params={"login_hint": "user@example.com", "ui_locales": "en"}
# store=InMemoryStore(),
)
def tool_function(date: datetime):
credentials = get_credentials_from_token_vault()
# Call Google API using credentials["access_token"]
check_calendar_tool = with_google_calendar_access(
StructuredTool(
name="check_user_calendar",
description="Use this function to check if the user is available on a certain date and time",
func=tool_function,
# ...
)
)
- Add a node to your graph for your tools:
workflow = (
StateGraph(State)
.add_node(
"tools",
ToolNode(
[
check_calendar_tool,
# ...
],
# The error handler should be disabled to allow interruptions to be triggered from within tools.
handle_tool_errors=False
)
)
# ...
)
- Handle interruptions properly. For example, if the tool does not have access to user's Google Calendar, it will throw an interruption. See Handling Interrupts section.
Additional Authorization Parameters
The authorization_params parameter is optional and can be used to pass additional authorization parameters needed to connect an account (e.g., login_hint, ui_locales):
with_google_calendar_access = auth0_ai.with_token_vault(
connection="google-oauth2",
scopes=["openid", "https://www.googleapis.com/auth/calendar.freebusy"],
authorization_params={"login_hint": "user@example.com", "ui_locales": "en"}
)
RAG with FGA
The FGARetriever can be used to filter documents based on access control checks defined in Okta FGA. This retriever performs batch checks on retrieved documents, returning only the ones that pass the specified access criteria.
Full Example of RAG Application.
Create a retriever instance using the FGARetriever class.
from langchain.vectorstores import VectorStoreIndex
from langchain.schema import Document
from auth0_ai_langchain import FGARetriever
from openfga_sdk.client.models import ClientCheckRequest
from openfga_sdk import ClientConfiguration
from openfga_sdk.credentials import CredentialConfiguration, Credentials
# Define some docs:
documents = [
Document(page_content="This is a public doc", metadata={"doc_id": "public-doc"}),
Document(page_content="This is a private doc", metadata={"doc_id": "private-doc"}),
]
# Create a vector store:
vector_store = VectorStoreIndex.from_documents(documents)
# Create a retriever:
base_retriever = vector_store.as_retriever()
# Create the FGA retriever wrapper.
# If not provided, FGA settings will be read from env variables: `FGA_STORE_ID`, `FGA_CLIENT_ID`, `FGA_CLIENT_SECRET`, etc.
retriever = FGARetriever(
base_retriever,
build_query=lambda node: ClientCheckRequest(
user=f'user:{user}',
object=f'doc:{node.metadata["doc_id"]}',
relation="viewer",
)
)
# Create a query engine:
query_engine = RetrieverQueryEngine.from_args(
retriever=retriever,
llm=OpenAI()
)
# Query:
response = query_engine.query("What is the forecast for ZEKO?")
print(response)
Handling Interrupts
Auth0AI uses interrupts extensively and will never block a graph. Whenever an authorizer requires user interaction, the graph throws a GraphInterrupt exception with data that allows the client to resume the flow.
It is important to disable error handling in your tools node as follows:
.add_node(
"tools",
ToolNode(
[
# your authorizer-wrapped tools
],
# Error handler should be disabled in order to trigger interruptions from within tools.
handle_tool_errors=False
)
)
From the client side of the graph you get the interrupts:
from auth0_ai_langchain.utils.interrupt import get_auth0_interrupts
# Get the langgraph thread:
thread = await client.threads.get(thread_id)
# Filter the auth0 interrupts:
auth0_interrupts = get_auth0_interrupts(thread)
Then you can resume the thread by doing this:
await client.runs.wait(thread_id, assistant_id)
For the specific case of CIBA (Client-Initiated Backchannel Authorization) you might attach a GraphResumer instance that watches for interrupted threads in the "Authorization Pending" state and attempts to resume them automatically, respecting Auth0's polling interval.
import os
from auth0_ai_langchain.async_authorization import GraphResumer
from langgraph_sdk import get_client
resumer = GraphResumer(
lang_graph=get_client(url=os.getenv("LANGGRAPH_API_URL")),
# optionally, you can filter by a specific graph:
filters={"graph_id": "conditional-trade"},
)
resumer \
.on_resume(lambda thread: print(f"Attempting to resume thread {thread['thread_id']} from interruption {thread['interruption_id']}")) \
.on_error(lambda err: print(f"Error in GraphResumer: {str(err)}"))
resumer.start()
Auth0 is an easy to implement, adaptable authentication and authorization platform. To learn more checkout Why Auth0?
This project is licensed under the Apache 2.0 license. See the LICENSE file for more info.
Project details
Release history Release notifications | RSS feed
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
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file auth0_ai_langchain-1.0.1.tar.gz.
File metadata
- Download URL: auth0_ai_langchain-1.0.1.tar.gz
- Upload date:
- Size: 17.0 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.12.11
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
0d0af57ae492ef08e81617aecc278b3019e82ef8f83069550509f3f905d9706a
|
|
| MD5 |
f255e168a46e6158a0fc7d7d24d15b03
|
|
| BLAKE2b-256 |
38ce9995043d7078e116859929087db17ecf40d2591026b4dd327ebd4c64d409
|
File details
Details for the file auth0_ai_langchain-1.0.1-py3-none-any.whl.
File metadata
- Download URL: auth0_ai_langchain-1.0.1-py3-none-any.whl
- Upload date:
- Size: 17.9 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.12.11
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
b72a8cbccb1236d4c50fdffdc7d981180f90b7ad477f2a1ad29d1096f80a6247
|
|
| MD5 |
6cdb304c678053d108b30c40b90cdd82
|
|
| BLAKE2b-256 |
ec57666b06b853ba60df845c3e2a3a4eb48da7ff9f8256384672cd330ccbf8dc
|