Thank you for your interest in contributing to Auto Claude! This document provides guidelines and instructions for contributing to the project.
| What you want to do | Where to start |
|---|---|
| Bug fixes & small improvements | Open a PR directly |
| New features / architecture changes | Start a GitHub Discussion or ask in Discord first |
| Questions & setup help | Discord #setup-help |
PRs built with AI tools (Claude, Codex, Copilot, etc.) are welcome here -- given what this project does, it would be odd if they weren't.
That said, we've seen AI-generated PRs that introduce regressions because the contributor didn't verify what the code actually does. To keep quality high, we ask that AI-assisted PRs include the following:
- Flag it -- mention AI assistance in the PR description (the PR template has a section for this)
- State your testing level -- untested, lightly tested, or fully tested
- Share context if you can -- prompts or session logs help reviewers understand intent
- Confirm you understand the code -- you should be able to describe what the PR does and how the underlying code works
AI-assisted PRs go through the same review process as any other contribution. Transparency just helps reviewers know where to look more carefully.
- How to Contribute
- AI-Assisted Contributions
- Contributor License Agreement (CLA)
- Prerequisites
- Quick Start
- Development Setup
- Pre-commit Hooks
- Code Style
- Testing
- Continuous Integration
- Git Workflow
- Pull Request Process
- Issue Reporting
- Architecture Overview
All contributors must sign our Contributor License Agreement (CLA) before contributions can be accepted.
Auto Claude is currently licensed under AGPL-3.0. The CLA ensures the project has proper licensing flexibility should we introduce additional licensing options (such as commercial/enterprise licenses) in the future.
You retain full copyright ownership of your contributions.
- Open a Pull Request
- The CLA bot will automatically comment with instructions
- Comment on the PR with:
I have read the CLA Document and I hereby sign the CLA - Done - you only need to sign once, and it applies to all future contributions
Read the full CLA here: CLA.md
Before contributing, ensure you have the following installed:
- Python 3.12+ - For the backend framework
- Node.js 24+ - For the Electron frontend
- npm 10+ - Package manager for the frontend (comes with Node.js)
- uv (recommended) or pip - Python package manager
- CMake - Required for building native dependencies (e.g., LadybugDB)
- Git - Version control
Windows:
winget install Python.Python.3.12macOS:
brew install [email protected]Linux (Ubuntu/Debian):
sudo apt install python3.12 python3.12-venvLinux (Fedora):
sudo dnf install python3.12Windows:
winget install OpenJS.NodeJS.LTSmacOS:
brew install node@24Linux (Ubuntu/Debian):
curl -fsSL https://deb.nodesource.com/setup_24.x | sudo -E bash -
sudo apt install -y nodejsLinux (Fedora):
sudo dnf install nodejs npmWindows:
winget install Kitware.CMakemacOS:
brew install cmakeLinux (Ubuntu/Debian):
sudo apt install cmakeLinux (Fedora):
sudo dnf install cmakeThe fastest way to get started:
# Clone the repository
git clone https://github.com/AndyMik90/Auto-Claude.git
cd Auto-Claude
# Install all dependencies (cross-platform)
npm run install:all
# Run in development mode
npm run dev
# Or build and run production
npm startThe project consists of two main components:
- Python Backend (
apps/backend/) - The core autonomous coding framework - Electron Frontend (
apps/frontend/) - Desktop UI
From the repository root, two commands handle everything:
# Install all dependencies (Python backend + Electron frontend)
npm run install:all
# Start development mode (hot reload)
npm run devnpm run install:all automatically:
- Detects Python 3.12+ on your system
- Creates a virtual environment (
apps/backend/.venv) - Installs backend runtime and test dependencies
- Copies
.env.exampleto.env(if not already present) - Installs frontend npm dependencies
After install, configure your credentials in apps/backend/.env:
# Get your Claude Code OAuth token
claude setup-token
# Then edit apps/backend/.env with your token and any other provider keysnpm start # Build and run production
npm run build # Build frontend for production
npm run package # Package for distribution
npm run test:backend # Run Python testsWindows users: If installation fails with node-gyp errors, click here
Auto Claude automatically downloads prebuilt binaries for Windows. If prebuilts aren't available for your Electron version yet, you'll need Visual Studio Build Tools:
- Download Visual Studio Build Tools 2022
- Select "Desktop development with C++" workload
- In "Individual Components", add "MSVC v143 - VS 2022 C++ x64/x86 Spectre-mitigated libs"
- Restart terminal and run
npm installagain
Note: For regular usage, we recommend downloading the pre-built releases from GitHub Releases. Running from source is primarily for contributors and those testing unreleased features.
We use pre-commit to run linting and formatting checks before each commit. This ensures code quality and consistency across the project.
# Install pre-commit
pip install pre-commit
# Install the git hooks (run once after cloning)
pre-commit installWhen you commit, the following checks run automatically:
| Check | Scope | Description |
|---|---|---|
| ruff | apps/backend/ |
Python linter with auto-fix |
| ruff-format | apps/backend/ |
Python code formatter |
| eslint | apps/frontend/ |
TypeScript/React linter |
| typecheck | apps/frontend/ |
TypeScript type checking |
| trailing-whitespace | All files | Removes trailing whitespace |
| end-of-file-fixer | All files | Ensures files end with newline |
| check-yaml | All files | Validates YAML syntax |
| check-added-large-files | All files | Prevents large file commits |
# Run all checks on all files
pre-commit run --all-files
# Run a specific hook
pre-commit run ruff --all-files
# Skip hooks temporarily (not recommended)
git commit --no-verify -m "message"- Ruff auto-fixes: Some issues are fixed automatically. Stage the changes and commit again.
- ESLint errors: Fix the reported issues in your code.
- Type errors: Resolve TypeScript type issues before committing.
- Follow PEP 8 style guidelines
- Use type hints for function signatures
- Use docstrings for public functions and classes
- Keep functions focused and under 50 lines when possible
- Use meaningful variable and function names
# Good
def get_next_chunk(spec_dir: Path) -> dict | None:
"""
Find the next pending chunk in the implementation plan.
Args:
spec_dir: Path to the spec directory
Returns:
The next chunk dict or None if all chunks are complete
"""
...
# Avoid
def gnc(sd):
...- Use TypeScript strict mode
- Follow the existing component patterns in
apps/frontend/src/ - Use functional components with hooks
- Prefer named exports over default exports
- Use the UI components from
src/renderer/components/ui/
// Good
export function TaskCard({ task, onEdit }: TaskCardProps) {
const [isEditing, setIsEditing] = useState(false);
...
}
// Avoid
export default function(props) {
...
}- No trailing whitespace
- Use 2 spaces for indentation in TypeScript/JSON, 4 spaces in Python
- End files with a newline
- Keep line length under 100 characters when practical
Always specify encoding="utf-8" for text file operations to ensure Windows compatibility.
Windows Python defaults to cp1252 encoding instead of UTF-8, causing errors with:
- Emoji (🚀, ✅, ❌)
- International characters (ñ, é, 中文, العربية)
- Special symbols (™, ©, ®)
DO:
# Reading files
with open(path, encoding="utf-8") as f:
content = f.read()
# Writing files
with open(path, "w", encoding="utf-8") as f:
f.write(content)
# Path methods
from pathlib import Path
content = Path(file).read_text(encoding="utf-8")
Path(file).write_text(content, encoding="utf-8")
# JSON files - reading
import json
with open(path, encoding="utf-8") as f:
data = json.load(f)
# JSON files - writing
with open(path, "w", encoding="utf-8") as f:
json.dump(data, f, ensure_ascii=False, indent=2)DON'T:
# Wrong - platform-dependent encoding
with open(path) as f:
content = f.read()
# Wrong - Path methods without encoding
content = Path(file).read_text()
# Wrong - encoding on json.dump (not open!)
json.dump(data, f, encoding="utf-8") # ERRORBinary files - NO encoding:
with open(path, "rb") as f: # Correct
data = f.read()Our pre-commit hooks automatically check for missing encoding parameters. See PR #782 for the comprehensive encoding fix and guides/windows-development.md for Windows-specific development guidance.
# Run all tests (from repository root)
npm run test:backend
# Or manually with pytest
cd apps/backend
.venv/Scripts/pytest.exe ../tests -v # Windows
.venv/bin/pytest ../tests -v # macOS/Linux
# Run a specific test file
npm run test:backend -- tests/test_security.py -v
# Run a specific test
npm run test:backend -- tests/test_security.py::test_bash_command_validation -v
# Skip slow tests
npm run test:backend -- -m "not slow"
# Run with coverage
pytest tests/ --cov=apps/backend --cov-report=htmlTest configuration is in tests/pytest.ini.
cd apps/frontend
# Run unit tests
npm test
# Run tests in watch mode
npm run test:watch
# Run with coverage
npm run test:coverage
# Run E2E tests (requires built app)
npm run build
npm run test:e2e
# Run linting
npm run lint
# Run type checking
npm run typecheckBefore submitting a PR:
- All existing tests must pass
- New features should include tests
- Bug fixes should include a regression test
- Test coverage should not decrease significantly
All pull requests and pushes to main trigger automated CI checks via GitHub Actions.
| Workflow | Trigger | What it checks |
|---|---|---|
| CI | Push to main, PRs |
Python tests (3.11 & 3.12), Frontend tests |
| Lint | Push to main, PRs |
Ruff (Python), ESLint + TypeScript (Frontend) |
Before a PR can be merged:
- All CI checks must pass (green checkmarks)
- Python tests pass on both Python 3.11 and 3.12
- Frontend tests pass
- Linting passes (no ruff or eslint errors)
- TypeScript type checking passes
# Python tests
cd apps/backend
source .venv/bin/activate
pytest ../../tests/ -v
# Frontend tests
cd apps/frontend
npm test
npm run lint
npm run typecheckWe use a Git Flow branching strategy to manage releases and parallel development.
When contributing to Auto Claude, you'll typically fork the repository first. Proper fork configuration is essential to avoid sync issues.
# 1. Fork on GitHub (click the Fork button on the repo page)
# 2. Clone YOUR fork (not the original repo)
git clone https://github.com/YOUR-USERNAME/Auto-Claude.git
cd Auto-Claude
# 3. Verify your remotes point to YOUR fork
git remote -v
# Should show:
# origin https://github.com/YOUR-USERNAME/Auto-Claude.git (fetch)
# origin https://github.com/YOUR-USERNAME/Auto-Claude.git (push)
# 4. Add upstream remote to sync with the original repo
git remote add upstream https://github.com/AndyMik90/Auto-Claude.git# Fetch latest changes from upstream
git fetch upstream
# Sync your develop branch with upstream
git checkout develop
git merge upstream/develop
git push origin develop
⚠️ Common Issue: After making a fork standalone (e.g., disconnecting from the original repo on GitHub), your local git configuration may still reference the original forked repository, causing push/pull issues.
If you convert your fork to a standalone repository:
# 1. Update origin to point to your standalone repo
git remote set-url origin https://github.com/YOUR-USERNAME/Your-Standalone-Repo.git
# 2. Remove the upstream remote (no longer applicable)
git remote remove upstream
# 3. Verify your configuration
git remote -v
# Should only show your standalone repo as origin
# 4. Update your default branch tracking if needed
git branch --set-upstream-to=origin/main main
git branch --set-upstream-to=origin/develop develop| Problem | Cause | Solution |
|---|---|---|
Permission denied on push |
Origin points to upstream repo | git remote set-url origin <your-fork-url> |
Repository not found |
Fork was deleted or made standalone | Update remote URL to current repo location |
| Can't push to develop | Local branch tracks wrong remote | git branch --set-upstream-to=origin/develop |
| Commits show wrong author | Git config not set | git config user.email "[email protected]" |
main (stable) ← Only released, tested code (tagged versions)
│
develop ← Integration branch - all PRs merge here first
│
├── feature/xxx ← New features
├── fix/xxx ← Bug fixes
├── release/vX.Y.Z ← Release preparation
└── hotfix/xxx ← Emergency production fixes
| Branch | Purpose | Protected |
|---|---|---|
main |
Production-ready code. Only receives merges from release/* or hotfix/* branches. Every merge is tagged (v2.7.0, v2.8.0, etc.) |
✅ Yes |
develop |
Integration branch where all features and fixes are combined. This is the default target for all PRs. | ✅ Yes |
| Branch Type | Branch From | Merge To | Purpose |
|---|---|---|---|
feature/* |
develop |
develop |
New features and enhancements |
fix/* |
develop |
develop |
Bug fixes (non-critical) |
release/* |
develop |
main + develop |
Release preparation and final testing |
hotfix/* |
main |
main + develop |
Critical production bug fixes |
Use descriptive branch names with a prefix indicating the type of change:
| Prefix | Purpose | Example |
|---|---|---|
feature/ |
New feature | feature/add-dark-mode |
fix/ |
Bug fix | fix/memory-leak-in-worker |
hotfix/ |
Urgent production fix | hotfix/critical-crash-fix |
docs/ |
Documentation | docs/update-readme |
refactor/ |
Code refactoring | refactor/simplify-auth-flow |
test/ |
Test additions/fixes | test/add-integration-tests |
chore/ |
Maintenance tasks | chore/update-dependencies |
release/ |
Release preparation | release/v2.8.0 |
hotfix/ |
Emergency fixes | hotfix/critical-auth-bug |
# For features and bug fixes - ALWAYS branch from develop
git checkout develop
git pull origin develop
git checkout -b feature/my-new-feature
# For hotfixes only - branch from main
git checkout main
git pull origin main
git checkout -b hotfix/critical-fix
⚠️ Important: All PRs should targetdevelop, NOTmain!
| Your Branch Type | Target Branch |
|---|---|
feature/* |
develop |
fix/* |
develop |
docs/* |
develop |
refactor/* |
develop |
test/* |
develop |
chore/* |
develop |
hotfix/* |
main (maintainers only) |
release/* |
main (maintainers only) |
When ready to release a new version:
# 1. Create release branch from develop
git checkout develop
git pull origin develop
git checkout -b release/v2.8.0
# 2. Update version numbers, CHANGELOG, final fixes only
# No new features allowed in release branches!
# 3. Merge to main and tag
git checkout main
git merge release/v2.8.0
git tag v2.8.0
git push origin main --tags
# 4. Merge back to develop (important!)
git checkout develop
git merge release/v2.8.0
git push origin develop
# 5. Delete release branch
git branch -d release/v2.8.0
git push origin --delete release/v2.8.0Beta releases allow users to test new features before they're included in a stable release. Beta releases are published from the develop branch.
Creating a Beta Release:
- Go to Actions → Beta Release workflow in GitHub
- Click Run workflow
- Enter the beta version (e.g.,
2.8.0-beta.1) - Optionally enable dry run to test without publishing
- Click Run workflow
The workflow will:
- Validate the version format
- Update
package.jsonon develop - Create and push a tag (e.g.,
v2.8.0-beta.1) - Build installers for all platforms
- Create a GitHub pre-release
Version Format:
X.Y.Z-beta.N (e.g., 2.8.0-beta.1, 2.8.0-beta.2)
X.Y.Z-alpha.N (e.g., 2.8.0-alpha.1)
X.Y.Z-rc.N (e.g., 2.8.0-rc.1)
For Users: Users can opt into beta updates in Settings → Updates → "Beta Updates" toggle. When enabled, the app will check for and install beta versions. Users can switch back to stable at any time.
For urgent production fixes that can't wait for the normal release cycle:
1. Create hotfix from main
git checkout main
git pull origin main
git checkout -b hotfix/150-critical-fix2. Fix the issue
# ... make changes ...
git commit -m "hotfix: fix critical crash on startup"3. Open PR to main (fast-track review)
gh pr create --base main --title "hotfix: fix critical crash on startup"4. After merge to main, sync to develop
git checkout develop
git pull origin develop
git merge main
git push origin developmain ─────●─────●─────●─────●───── (production)
↑ ↑ ↑ ↑
develop ──●─────●─────●─────●───── (integration)
↑ ↑ ↑
feature/123 ────●
feature/124 ──────────●
hotfix/125 ─────────────────●───── (from main, merge to both)
Note: Hotfixes branch FROM
mainand merge TOmainfirst, then sync back todevelopto keep branches aligned.
Write clear, concise commit messages that explain the "why" behind changes:
# Good
git commit -m "Add retry logic for failed API calls
Implements exponential backoff for transient failures.
Fixes #123"
# Avoid
git commit -m "fix stuff"
git commit -m "WIP"Format:
<type>: <subject>
<body>
<footer>
- type: feat, fix, docs, style, refactor, test, chore
- subject: Short description (50 chars max, imperative mood)
- body: Detailed explanation if needed (wrap at 72 chars)
- footer: Reference issues, breaking changes
Rebasing:
- Rebase onto develop before opening a PR and before merge to maintain linear history
- Use
git fetch origin && git rebase origin/developto sync your branch - Use
--force-with-leasewhen force-pushing rebased branches (safer than--force) - Notify reviewers after force-pushing during active review
- Exception: Never rebase after PR is approved and others have reviewed specific commits
Commit organization:
- Squash fixup commits (typos, "oops", review feedback) into their parent commits
- Keep logically distinct changes as separate commits that could be reverted independently
- Each commit should compile and pass tests independently
- No "WIP", "fix tests", or "lint" commits in final PR - squash these
Before requesting review:
# Ensure up-to-date with develop
git fetch origin && git rebase origin/develop
# Clean up commit history (squash fixups, reword messages)
git rebase -i origin/develop
# Force push with safety check
git push --force-with-lease
# Verify everything works
npm run test:backend
cd apps/frontend && npm test && npm run lint && npm run typecheckPR size:
- Keep PRs small (<400 lines changed ideally)
- Split large features into stacked PRs if possible
-
Fork the repository and create your branch from
develop(not main!)git checkout develop git pull origin develop git checkout -b feature/your-feature-name
-
Make your changes following the code style guidelines
-
Test thoroughly:
# Python (from repository root) npm run test:backend # Frontend cd apps/frontend && npm test && npm run lint && npm run typecheck
-
Update documentation if your changes affect:
- Public APIs
- Configuration options
- User-facing behavior
-
Create the Pull Request:
- Use a clear, descriptive title
- Reference any related issues
- Describe what changes you made and why
- Include screenshots for UI changes
- List any breaking changes
-
PR Title Format:
<type>: <description>Examples:
feat: Add support for custom promptsfix: Resolve memory leak in worker processdocs: Update installation instructions
-
Review Process:
- Address reviewer feedback promptly
- Keep the PR focused on a single concern
- Squash commits if requested
When reporting a bug, include:
- Clear title describing the issue
- Environment details:
- OS and version
- Python version
- Node.js version (for UI issues)
- Auto Claude version
- Steps to reproduce the issue
- Expected behavior vs actual behavior
- Error messages or logs (if applicable)
- Screenshots (for UI issues)
When requesting a feature:
- Describe the problem you're trying to solve
- Explain your proposed solution
- Consider alternatives you've thought about
- Provide context on your use case
Auto Claude consists of two main parts:
The core autonomous coding framework:
- Entry Points:
run.py(build runner),spec_runner.py(spec creator) - Agent System:
agent.py,client.py,prompts/ - Execution:
coordinator.py(parallel),worktree.py(isolation) - Memory:
memory.py(file-based),graphiti_memory.py(graph-based) - QA:
qa_loop.py,prompts/qa_*.md
Desktop interface:
- Main Process:
src/main/- Electron main process, IPC handlers - Renderer:
src/renderer/- React UI components - Shared:
src/shared/- Types and utilities
For detailed architecture information, see CLAUDE.md.
If you have questions about contributing, feel free to:
- Open a GitHub issue with the
questionlabel - Review existing issues and discussions
Thank you for contributing to Auto Claude!