Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
200 changes: 200 additions & 0 deletions AGENTS.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,200 @@
# Lightspeed Core Stack Development Guide

## Project Overview
Lightspeed Core Stack (LCS) is an AI-powered assistant built on FastAPI that provides answers using LLM services, agents, and RAG databases. It integrates with Llama Stack for AI operations.

## Development Environment
- **Python**: Check `pyproject.toml` for supported Python versions
- **Package Manager**: uv (use `uv run` for all commands)
- **Required Commands**:
- `uv run make format` - Format code (black + ruff)
- `uv run make verify` - Run all linters (black, pylint, pyright, ruff, docstyle, check-types)

Comment on lines +11 to +12
Copy link
Contributor

@coderabbitai coderabbitai bot Mar 2, 2026

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue | 🟡 Minor

🧩 Analysis chain

🏁 Script executed:

#!/bin/bash
# Verify the actual tools behind `make verify` and compare with AGENTS.md claims.

set -euo pipefail

makefile_path="$(fd -HI '^Makefile$' | head -n1 || true)"
if [ -z "${makefile_path}" ]; then
  echo "Makefile not found"
  exit 0
fi

echo "== Makefile path =="
echo "${makefile_path}"

echo
echo "== verify target (with context) =="
rg -n -A20 -B2 '^[[:alnum:]_.-]*verify[[:space:]]*:' "${makefile_path}"

echo
echo "== AGENTS.md references =="
rg -n -A4 -B2 'make verify|Linting Tools|mypy|pydocstyle|check-types|pyright|pylint|ruff|black' AGENTS.md

Repository: lightspeed-core/lightspeed-stack

Length of output: 1884


Align make verify tool list in the Linting Tools section.

Line 11 correctly lists the verify target tools (black, pylint, pyright, ruff, docstyle, check-types), but the Linting Tools section at lines 173-180 includes tools not part of verify (mypy) and omits check-types. Update lines 173-180 to match what verify actually runs, or clarify which tools are part of verify versus optional/additional type checking tools.

🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed.

In `@AGENTS.md` around lines 11 - 12, Update the "Linting Tools" section to match
the actual `make verify` target: replace the listed tools so they exactly match
the verify command (black, pylint, pyright, ruff, docstyle, check-types) and
remove mypy from that list (or alternatively split the section into two
subsections clearly labeled "verify tools" and "additional/optional tools" and
move mypy into the optional list); ensure the section text references the `make
verify` target and the same tool names used in the header so readers see an
exact correspondence between `uv run make verify` and the listed tools.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This is correct the tool section highlights the tool name itself.. mypy is the tool, check-types is the make target.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@asamal4, thank you for the clarification! You're absolutely right—I misunderstood the intent. The Linting Tools section correctly lists the actual tool names (mypy, pylint, pyright, ruff, black), while check-types is the make target that invokes mypy. My apologies for the confusion.


✏️ Learnings added
Learnt from: asamal4
Repo: lightspeed-core/lightspeed-stack PR: 1250
File: AGENTS.md:11-12
Timestamp: 2026-03-02T15:57:10.746Z
Learning: In lightspeed-stack's AGENTS.md, the Linting Tools section lists actual tool names (e.g., mypy, pylint, pyright, ruff, black), not make target names. For example, `check-types` is a make target that runs mypy, but mypy is the tool name documented in the Linting Tools section.

Note: Learnings are effective only in the context of similar code segments. To apply general coding guidelines, please configure review instructions. You can manage existing learnings in the app.


🧠 Learnings used
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2026-02-17T13:52:19.771Z
Learning: Run `uv run make verify` to execute all linters (black, pylint, pyright, ruff, docstyle, check-types) before completion

## Code Architecture & Patterns

### Project Structure
```
src/
├── app/ # FastAPI application
│ ├── endpoints/ # REST API endpoints
│ └── main.py # Application entry point
├── a2a_storage/ # A2A protocol persistent storage
│ ├── context_store.py # Abstract base class for context stores
│ ├── in_memory_context_store.py # In-memory implementation
│ ├── sqlite_context_store.py # SQLite implementation
│ ├── postgres_context_store.py # PostgreSQL implementation
│ └── storage_factory.py # Factory for creating stores
├── authentication/ # Authentication modules (k8s, jwk, noop, rh-identity)
├── authorization/ # Authorization middleware & resolvers
├── cache/ # Conversation cache implementations
├── quota/ # Quota limiter and token usage tracking
├── metrics/ # Prometheus metrics
├── runners/ # Agent runners
├── models/ # Pydantic models
│ ├── config.py # Configuration classes
│ ├── requests.py # Request models
│ ├── responses.py # Response models
│ └── database/ # Database models
├── utils/ # Utility functions
├── client.py # Llama Stack client wrapper (Singleton)
├── configuration.py # Config management (Singleton)
└── constants.py # Shared constants
```

### Coding Standards

#### Imports & Dependencies
- Use absolute imports for internal modules: `from authentication import get_auth_dependency`
- FastAPI dependencies: `from fastapi import APIRouter, HTTPException, Request, status, Depends`
- Llama Stack imports: `from llama_stack_client import AsyncLlamaStackClient`
- **ALWAYS** check `pyproject.toml` for existing dependencies before adding new ones
- **ALWAYS** verify current library versions in `pyproject.toml` rather than assuming versions
- Check `constants.py` for shared constants before defining new ones

#### Module Standards
- All modules start with descriptive docstrings explaining purpose
- Use `logger = get_logger(__name__)` from `log.py` for module logging
- Package `__init__.py` files contain brief package descriptions
- Central `constants.py` for shared constants with descriptive comments
- Type aliases defined at module level for clarity

#### Configuration
- All config uses Pydantic models extending `ConfigurationBase`
- Base class sets `extra="forbid"` to reject unknown fields
- Use `@field_validator` and `@model_validator` for custom validation
- Type hints: `Optional[FilePath]`, `PositiveInt`, `SecretStr`

#### Function Standards
- **Documentation**: All functions require docstrings with brief descriptions
- **Type Annotations**: Complete type annotations for parameters and return types
- Use `typing_extensions.Self` for model validators
- Union types: `str | int` (modern syntax)
- Optional: `Optional[Type]`
- **Naming**: Use snake_case with descriptive, action-oriented names (get_, validate_, check_)
- **Return Values**: **CRITICAL** - Avoid in-place parameter modification anti-patterns:
```python
# ❌ BAD: Modifying parameter in-place
def process_data(input_data: Any, result_dict: dict) -> None:
result_dict[key] = value # Anti-pattern

# ✅ GOOD: Return new data structure
def process_data(input_data: Any) -> dict:
result_dict = {}
result_dict[key] = value
return result_dict
```
- **Async Functions**: Use `async def` for I/O operations and external API calls
- **Error Handling**:
- Use FastAPI `HTTPException` with appropriate status codes for API endpoints
- Handle `APIConnectionError` from Llama Stack

#### Logging Standards
- Use `from log import get_logger` and module logger pattern: `logger = get_logger(__name__)`
- Standard log levels with clear purposes:
- `logger.debug()` - Detailed diagnostic information
- `logger.info()` - General information about program execution
- `logger.warning()` - Something unexpected happened or potential problems
- `logger.error()` - Serious problems that prevented function execution

#### Class Standards
- **Documentation**: All classes require descriptive docstrings explaining purpose
- **Naming**: Use PascalCase with descriptive names and standard suffixes:
- `Configuration` for config classes
- `Error`/`Exception` for custom exceptions
- `Resolver` for strategy pattern implementations
- `Interface` for abstract base classes
- **Pydantic Models**: Extend `ConfigurationBase` for config, `BaseModel` for data models
- **Abstract Classes**: Use ABC for interfaces with `@abstractmethod` decorators
- **Validation**: Use `@model_validator` and `@field_validator` for Pydantic models
- **Type Hints**: Complete type annotations for all class attributes

#### Docstring Standards
- Follow Google Python docstring conventions: https://google.github.io/styleguide/pyguide.html
- Required for all modules, classes, and functions
- Include brief description and detailed sections as needed:
- `Parameters:` for function parameters
- `Returns:` for return values
- `Raises:` for exceptions that may be raised
- `Attributes:` for class attributes (Pydantic models)


## Testing Framework

### Test Structure
```
tests/
├── unit/ # Unit tests (pytest)
├── integration/ # Integration tests (pytest)
└── e2e/ # End-to-end tests (behave)
└── features/ # Gherkin feature files
```

### Testing Framework Requirements
- **Required**: Use pytest for all unit and integration tests
- **Forbidden**: Do not use unittest - pytest is the standard for this project
- **E2E Tests**: Use behave (BDD) framework for end-to-end testing

### Unit Tests (pytest)
- **Fixtures**: Use `conftest.py` for shared fixtures
- **Mocking**: `pytest-mock` for AsyncMock objects
- **Common Pattern**:
```python
@pytest.fixture(name="prepare_agent_mocks")
def prepare_agent_mocks_fixture(mocker):
mock_client = mocker.AsyncMock()
mock_agent = mocker.AsyncMock()
mock_agent._agent_id = "test_agent_id"
return mock_client, mock_agent
```
- **Auth Mock**: `MOCK_AUTH = ("mock_user_id", "mock_username", False, "mock_token")`
- **Coverage**: Unit tests require 60% coverage, integration 10%

### E2E Tests (behave)
- **Framework**: Behave (BDD) with Gherkin feature files
- **Step Definitions**: In `tests/e2e/features/steps/`
- **Common Steps**: Service status, authentication, HTTP requests
- **Test List**: Maintained in `tests/e2e/test_list.txt`

### Test Commands
```bash
uv run make test-unit # Unit tests with coverage
uv run make test-integration # Integration tests
uv run make test-e2e # End-to-end tests
```

## Quality Assurance

### Required Before Completion
1. `uv run make format` - Auto-format code
2. `uv run make verify` - Run all linters
3. Create unit tests for new code
4. Ensure tests pass

### Linting Tools
- **black**: Code formatting
- **pylint**: Static analysis (`source-roots = "src"`)
- **pyright**: Type checking (excludes `src/authentication/k8s.py`)
- **ruff**: Fast linter
- **pydocstyle**: Docstring style
- **mypy**: Additional type checking

### Security
- **bandit**: Security issue detection
- Never commit secrets/keys
- Use environment variables for sensitive data

## Key Dependencies
**IMPORTANT**: Always check `pyproject.toml` for current versions rather than relying on this list:
- **FastAPI**: Web framework
- **Llama Stack**: AI integration
- **Pydantic**: Data validation/serialization
- **SQLAlchemy**: Database ORM
- **Kubernetes**: K8s auth integration

## Development Workflow
1. Use `uv sync --group dev --group llslibdev` for dependencies
2. Always use `uv run` prefix for commands
3. **ALWAYS** check `pyproject.toml` for existing dependencies and versions before adding new ones
4. Follow existing code patterns in the module you're modifying
5. Write unit tests covering new functionality
6. Run format and verify before completion
Loading
Loading