# What does this PR do? the minimum python version for the project was bumped to 3.12 a couple months ago, but there remains some artifacts in the repo suggesting we support >=3.10 Signed-off-by: Nathan Weinberg <nweinber@redhat.com>
		
			
				
	
	
	
	
		
			9 KiB
		
	
	
	
	
	
	
	
			
		
		
	
	External APIs
Llama Stack supports external APIs that live outside of the main codebase. This allows you to:
- Create and maintain your own APIs independently
- Share APIs with others without contributing to the main codebase
- Keep API-specific code separate from the core Llama Stack code
Configuration
To enable external APIs, you need to configure the external_apis_dir in your Llama Stack configuration. This directory should contain your external API specifications:
external_apis_dir: ~/.llama/apis.d/
Directory Structure
The external APIs directory should follow this structure:
apis.d/
  custom_api1.yaml
  custom_api2.yaml
Each YAML file in these directories defines an API specification.
API Specification
Here's an example of an external API specification for a weather API:
module: weather
api_dependencies:
  - inference
protocol: WeatherAPI
name: weather
pip_packages:
  - llama-stack-api-weather
API Specification Fields
- module: Python module containing the API implementation
- protocol: Name of the protocol class for the API
- name: Name of the API
- pip_packages: List of pip packages to install the API, typically a single package
Required Implementation
External APIs must expose a available_providers() function in their module that returns a list of provider names:
# llama_stack_api_weather/api.py
from llama_stack.providers.datatypes import Api, InlineProviderSpec, ProviderSpec
def available_providers() -> list[ProviderSpec]:
    return [
        InlineProviderSpec(
            api=Api.weather,
            provider_type="inline::darksky",
            pip_packages=[],
            module="llama_stack_provider_darksky",
            config_class="llama_stack_provider_darksky.DarkSkyWeatherImplConfig",
        ),
    ]
A Protocol class like so:
# llama_stack_api_weather/api.py
from typing import Protocol
from llama_stack.schema_utils import webmethod
class WeatherAPI(Protocol):
    """
    A protocol for the Weather API.
    """
    @webmethod(route="/locations", method="GET")
    async def get_available_locations() -> dict[str, list[str]]:
        """
        Get the available locations.
        """
        ...
Example: Custom API
Here's a complete example of creating and using a custom API:
- First, create the API package:
mkdir -p llama-stack-api-weather
cd llama-stack-api-weather
mkdir src/llama_stack_api_weather
git init
uv init
- Edit pyproject.toml:
[project]
name = "llama-stack-api-weather"
version = "0.1.0"
description = "Weather API for Llama Stack"
readme = "README.md"
requires-python = ">=3.12"
dependencies = ["llama-stack", "pydantic"]
[build-system]
requires = ["setuptools"]
build-backend = "setuptools.build_meta"
[tool.setuptools.packages.find]
where = ["src"]
include = ["llama_stack_api_weather", "llama_stack_api_weather.*"]
- Create the initial files:
touch src/llama_stack_api_weather/__init__.py
touch src/llama_stack_api_weather/api.py
# llama-stack-api-weather/src/llama_stack_api_weather/__init__.py
"""Weather API for Llama Stack."""
from .api import WeatherAPI, available_providers
__all__ = ["WeatherAPI", "available_providers"]
- Create the API implementation:
# llama-stack-api-weather/src/llama_stack_api_weather/weather.py
from typing import Protocol
from llama_stack.providers.datatypes import (
    AdapterSpec,
    Api,
    ProviderSpec,
    RemoteProviderSpec,
)
from llama_stack.schema_utils import webmethod
def available_providers() -> list[ProviderSpec]:
    return [
        RemoteProviderSpec(
            api=Api.weather,
            provider_type="remote::kaze",
            config_class="llama_stack_provider_kaze.KazeProviderConfig",
            adapter=AdapterSpec(
                adapter_type="kaze",
                module="llama_stack_provider_kaze",
                pip_packages=["llama_stack_provider_kaze"],
                config_class="llama_stack_provider_kaze.KazeProviderConfig",
            ),
        ),
    ]
class WeatherProvider(Protocol):
    """
    A protocol for the Weather API.
    """
    @webmethod(route="/weather/locations", method="GET")
    async def get_available_locations() -> dict[str, list[str]]:
        """
        Get the available locations.
        """
        ...
- Create the API specification:
# ~/.llama/apis.d/weather.yaml
module: llama_stack_api_weather
name: weather
pip_packages: ["llama-stack-api-weather"]
protocol: WeatherProvider
- Install the API package:
uv pip install -e .
- Configure Llama Stack to use external APIs:
version: "2"
image_name: "llama-stack-api-weather"
apis:
  - weather
providers: {}
external_apis_dir: ~/.llama/apis.d
The API will now be available at /v1/weather/locations.
Example: custom provider for the weather API
- Create the provider package:
mkdir -p llama-stack-provider-kaze
cd llama-stack-provider-kaze
uv init
- Edit pyproject.toml:
[project]
name = "llama-stack-provider-kaze"
version = "0.1.0"
description = "Kaze weather provider for Llama Stack"
readme = "README.md"
requires-python = ">=3.12"
dependencies = ["llama-stack", "pydantic", "aiohttp"]
[build-system]
requires = ["setuptools"]
build-backend = "setuptools.build_meta"
[tool.setuptools.packages.find]
where = ["src"]
include = ["llama_stack_provider_kaze", "llama_stack_provider_kaze.*"]
- Create the initial files:
touch src/llama_stack_provider_kaze/__init__.py
touch src/llama_stack_provider_kaze/kaze.py
- Create the provider implementation:
Initialization function:
# llama-stack-provider-kaze/src/llama_stack_provider_kaze/__init__.py
"""Kaze weather provider for Llama Stack."""
from .config import KazeProviderConfig
from .kaze import WeatherKazeAdapter
__all__ = ["KazeProviderConfig", "WeatherKazeAdapter"]
async def get_adapter_impl(config: KazeProviderConfig, _deps):
    from .kaze import WeatherKazeAdapter
    impl = WeatherKazeAdapter(config)
    await impl.initialize()
    return impl
Configuration:
# llama-stack-provider-kaze/src/llama_stack_provider_kaze/config.py
from pydantic import BaseModel, Field
class KazeProviderConfig(BaseModel):
    """Configuration for the Kaze weather provider."""
    base_url: str = Field(
        "https://api.kaze.io/v1",
        description="Base URL for the Kaze weather API",
    )
Main implementation:
# llama-stack-provider-kaze/src/llama_stack_provider_kaze/kaze.py
from llama_stack_api_weather.api import WeatherProvider
from .config import KazeProviderConfig
class WeatherKazeAdapter(WeatherProvider):
    """Kaze weather provider implementation."""
    def __init__(
        self,
        config: KazeProviderConfig,
    ) -> None:
        self.config = config
    async def initialize(self) -> None:
        pass
    async def get_available_locations(self) -> dict[str, list[str]]:
        """Get available weather locations."""
        return {"locations": ["Paris", "Tokyo"]}
- Create the provider specification:
# ~/.llama/providers.d/remote/weather/kaze.yaml
adapter:
  adapter_type: kaze
  pip_packages: ["llama_stack_provider_kaze"]
  config_class: llama_stack_provider_kaze.config.KazeProviderConfig
  module: llama_stack_provider_kaze
optional_api_dependencies: []
- Install the provider package:
uv pip install -e .
- Configure Llama Stack to use the provider:
# ~/.llama/run-byoa.yaml
version: "2"
image_name: "llama-stack-api-weather"
apis:
  - weather
providers:
  weather:
  - provider_id: kaze
    provider_type: remote::kaze
    config: {}
external_apis_dir: ~/.llama/apis.d
external_providers_dir: ~/.llama/providers.d
server:
  port: 8321
- Run the server:
python -m llama_stack.core.server.server --yaml-config ~/.llama/run-byoa.yaml
- Test the API:
curl -sSf http://127.0.0.1:8321/v1/weather/locations
{"locations":["Paris","Tokyo"]}%
Best Practices
- 
Package Naming: Use a clear and descriptive name for your API package. 
- 
Version Management: Keep your API package versioned and compatible with the Llama Stack version you're using. 
- 
Dependencies: Only include the minimum required dependencies in your API package. 
- 
Documentation: Include clear documentation in your API package about: - Installation requirements
- Configuration options
- API endpoints and usage
- Any limitations or known issues
 
- 
Testing: Include tests in your API package to ensure it works correctly with Llama Stack. 
Troubleshooting
If your external API isn't being loaded:
- Check that the external_apis_dirpath is correct and accessible.
- Verify that the YAML files are properly formatted.
- Ensure all required Python packages are installed.
- Check the Llama Stack server logs for any error messages - turn on debug logging to get more information using LLAMA_STACK_LOGGING=all=debug.
- Verify that the API package is installed in your Python environment.