Contributors
We're thrilled that you're interested in contributing to OpenAlgo! This guide will help you get started, whether you're fixing a bug, adding a new broker, improving documentation, or building new features.
Below you'll find everything you need to set up OpenAlgo on your computer and start contributing.
Our Mission
OpenAlgo is built by traders, for traders. We believe in democratizing algorithmic trading by providing a broker-agnostic, open-source platform that puts control back in the hands of traders. Every contribution, no matter how small, helps us achieve this mission.
Table of Contents
Technology Stack
Development Setup
Local Development
Project Structure
Development Workflow
Contributing Guidelines
Testing
Adding a New Broker
UI Development
Documentation
Best Practices
Getting Help
Technology Stack
OpenAlgo is built using Python Flask for the backend and TailwindCSS + DaisyUI for the frontend.
Backend Technologies
Python 3.12+ - Core programming language (requires Python 3.10 or higher, 3.12+ recommended)
Flask 3.0+ - Lightweight web framework
Flask-RESTX - RESTful API with auto-generated Swagger documentation
SQLAlchemy 2.0+ - Database ORM for data persistence
Flask-SocketIO 5.3+ - Real-time WebSocket connections for live updates
Flask-Login - User session management and authentication
Flask-WTF - Form validation and CSRF protection
Frontend Technologies
Jinja2 - Server-side templating engine
TailwindCSS 4.1+ - Utility-first CSS framework
DaisyUI 5.1+ - Beautiful component library for Tailwind
PostCSS - CSS processing and compilation
Chart.js - Data visualization and charting
Trading & Data Libraries
pandas 2.2+ - Data manipulation and analysis
numpy 2.2+ - Numerical computing
httpx - Modern HTTP client with HTTP/2 support
websockets 15.0+ - WebSocket client and server
pyzmq 26.3+ - ZeroMQ for high-performance message queue
APScheduler - Background task scheduling
Security & Performance
argon2-cffi - Secure password hashing
cryptography - Token encryption
Flask-Limiter - Rate limiting
Flask-CORS - CORS protection
[!IMPORTANT] You will need Node.js v16+ and Python 3.12 or the latest Python version.
Development Setup
Prerequisites
Before you begin, make sure you have the following installed:
Python 3.10 or higher (3.12+ recommended) - Download Python
Node.js v16 or higher - Download Node.js
Git - Download Git
Code Editor - VS Code recommended with extensions:
Python
Pylance
Jupyter
Basic Knowledge of Flask and REST APIs
Install Dependencies
# Clone the repository
git clone https://github.com/marketcalls/openalgo.git
cd openalgo
# Create and activate virtual environment
# On Windows:
python -m venv venv
venv\Scripts\activate
# On Linux/Mac:
python -m venv venv
source venv/bin/activate
# Install Python dependencies
pip install -r requirements.txt
# Install Node.js dependencies
npm installConfigure Environment
# Copy the sample environment file
# On Windows:
copy .sample.env .env
# On Linux/Mac:
cp .sample.env .env
# Edit .env and update at minimum:
# 1. Generate new APP_KEY and API_KEY_PEPPER
# 2. Configure database URLs
# 3. Set Flask host/port settingsImportant Security Note: Generate secure random keys:
# Generate APP_KEY
python -c "import secrets; print(secrets.token_hex(32))"
# Generate API_KEY_PEPPER
python -c "import secrets; print(secrets.token_hex(32))"Local Development
Build Packages
OpenAlgo requires CSS compilation before running. You have two options:
Option 1: Manual Build
# Build CSS for production
npm run build:css
# Or watch for changes during development
npm run watch:cssOption 2: Automated Development
# Runs CSS watch in development mode
npm run devRun the Application
Option 1: Flask Development Server
# Activate virtual environment (if not already active)
# Windows:
venv\Scripts\activate
# Linux/Mac:
source venv/bin/activate
# Run the Flask application
python app.py
# Application will be available at http://127.0.0.1:5000Option 2: Production with Gunicorn (Linux only)
# Install production requirements
pip install -r requirements-nginx.txt
# Run with Gunicorn
gunicorn --worker-class eventlet -w 1 app:app
# Note: Use -w 1 (one worker) for WebSocket compatibilityDevelopment Workflow with Multiple Terminals
For the best development experience, use two terminals:
Terminal 1 - CSS Watch Mode:
npm run dev
# Keep this running to auto-compile CSS on changesTerminal 2 - Flask Server:
python app.py
# Your application serverFirst Time Setup
Access the application: Navigate to
http://127.0.0.1:5000Setup account: Go to
http://127.0.0.1:5000/setupCreate admin user: Fill in the setup form
Login: Use your credentials to access the dashboard
Configure broker: Navigate to Settings → Broker Setup
Project Structure
Understanding the codebase structure will help you contribute effectively:
openalgo/
├── app.py # Main Flask application entry point
├── blueprints/ # Flask blueprints for web routes
│ ├── auth.py # Authentication routes (login, logout, setup)
│ ├── dashboard.py # Main dashboard views
│ ├── settings.py # Settings and configuration pages
│ └── ...
├── broker/ # Broker-specific implementations
│ ├── aliceblue/ # AliceBlue broker integration
│ ├── angel/ # AngelOne broker integration
│ ├── dhan/ # Dhan broker integration
│ ├── zerodha/ # Zerodha broker integration
│ └── .../ # 20+ other brokers
├── database/ # Database models and utilities
│ ├── auth_db.py # User authentication models
│ ├── apilog_db.py # API logging models
│ └── ...
├── restx_api/ # REST API endpoints (Flask-RESTX)
│ ├── account/ # Account and portfolio APIs
│ ├── order/ # Order management APIs
│ ├── data/ # Market data APIs
│ └── ...
├── services/ # Business logic layer
│ ├── order_service.py # Order processing logic
│ ├── data_service.py # Market data handling
│ └── ...
├── utils/ # Utility functions and helpers
│ ├── api_utils.py # API helper functions
│ ├── encryption.py # Security and encryption
│ └── ...
├── templates/ # Jinja2 HTML templates
│ ├── auth/ # Authentication pages
│ ├── dashboard/ # Dashboard views
│ └── layouts/ # Base layouts
├── static/ # Static assets
│ ├── css/ # Compiled CSS (don't edit directly!)
│ ├── js/ # JavaScript files
│ └── images/ # Image assets
├── src/ # Source files for compilation
│ └── css/
│ └── styles.css # Source CSS (edit this!)
├── strategies/ # Trading strategy examples
│ ├── data.ipynb # Data analysis examples
│ └── ...
├── websocket_proxy/ # WebSocket server implementation
│ ├── server.py # Main WebSocket proxy server
│ └── adapters/ # Broker-specific WebSocket adapters
├── sandbox/ # Sandbox/paper trading mode
├── test/ # Test files
├── docs/ # Documentation files
├── mcp/ # Model Context Protocol integration
├── requirements.txt # Python dependencies
├── package.json # Node.js dependencies
├── tailwind.config.mjs # Tailwind configuration
└── .env # Environment configuration (create from .sample.env)Key Directories
broker/: Each subdirectory contains a complete broker integration with authentication, order APIs, data APIs, and symbol mappingrestx_api/: RESTful API endpoints with automatic Swagger documentation at/api/docsblueprints/: Web routes and views for the UItemplates/: HTML templates using Jinja2 and Tailwind/DaisyUI classeswebsocket_proxy/: Real-time market data streaming infrastructureservices/: Business logic separated from route handlersutils/: Shared utility functions used across the application
Development Workflow
1. Fork and Clone
# Fork the repository on GitHub (click Fork button)
# Clone your fork
git clone https://github.com/YOUR_USERNAME/openalgo.git
cd openalgo
# Add upstream remote
git remote add upstream https://github.com/marketcalls/openalgo.git
# Verify remotes
git remote -v2. Create a Feature Branch
# Update your main branch
git checkout main
git pull upstream main
# Create a new branch for your feature
# Branch naming convention:
# - feature/feature-name : New features
# - bugfix/bug-name : Bug fixes
# - docs/doc-name : Documentation
# - refactor/refactor-name : Code refactoring
git checkout -b feature/your-feature-name3. Make Your Changes
Follow these guidelines while developing:
Code Style
Python: Follow PEP 8 style guide
Formatting: Use 4 spaces for indentation
Line Length: Maximum 100 characters recommended
Imports: Group by standard library, third-party, local
Docstrings: Use Google-style docstrings
Example:
def calculate_margin(symbol, quantity, price, product_type):
"""Calculate margin requirement for an order.
Args:
symbol (str): Trading symbol (e.g., 'NSE:SBIN-EQ')
quantity (int): Number of shares
price (float): Order price
product_type (str): Product type ('CNC', 'MIS', 'NRML')
Returns:
dict: Margin details with required margin and available margin
Raises:
ValueError: If invalid product type provided
"""
# Implementation here
passCommit Messages
We follow Conventional Commits specification:
feat:- New featuresfix:- Bug fixesdocs:- Documentation changesstyle:- Code style changes (formatting, no logic change)refactor:- Code refactoringtest:- Adding or updating testschore:- Maintenance tasks
Examples:
git commit -m "feat: add Groww broker integration"
git commit -m "fix: correct margin calculation for options"
git commit -m "docs: update WebSocket setup instructions"
git commit -m "refactor: optimize order processing pipeline"4. Test Your Changes
# Run the application in development mode
python app.py
# Test specific features:
# 1. Web UI: http://127.0.0.1:5000
# 2. API Docs: http://127.0.0.1:5000/api/docs
# 3. API Analyzer: http://127.0.0.1:5000/analyzerTesting Checklist
5. CSS Compilation (for UI changes)
If you modified any HTML templates or Tailwind classes:
# Development: Auto-compile on changes
npm run dev
# Production: Create minified build
npm run build
# Never edit static/css/main.css directly!
# Only edit src/css/styles.css6. Push to Your Fork
# Add your changes
git add .
# Commit with conventional commit message
git commit -m "feat: add your feature description"
# Push to your fork
git push origin feature/your-feature-name7. Create a Pull Request
Go to your fork on GitHub
Click "Compare & pull request"
Fill out the PR template:
Title: Clear, descriptive title
Description: What does this PR do?
Related Issues: Link related issues (e.g., "Closes #123")
Screenshots: For UI changes, include before/after screenshots
Testing: Describe how you tested the changes
Checklist: Complete the PR checklist
Example PR Description:
## Description
Adds integration for Groww broker with all standard APIs.
## Related Issues
Closes #456
## Changes Made
- Implemented Groww authentication API
- Added order placement and management
- Integrated market data APIs
- Created symbol mapping utilities
- Added Groww-specific WebSocket adapter
## Testing
- Tested on Python 3.12
- Verified all API endpoints work correctly
- Tested order flow from placement to execution
- Validated WebSocket streaming
## Screenshots
[Attach screenshots if UI changes]
## Checklist
- [x] Code follows PEP 8 guidelines
- [x] Added docstrings to all functions
- [x] Tested locally and verified working
- [x] Updated documentation
- [x] No breaking changes to existing codeContributing Guidelines
What Can You Contribute?
For First-Time Contributors 🌱
Great ways to get started:
Documentation
Fix typos in README or docs
Improve installation instructions
Add examples and tutorials
Translate documentation to other languages
Bug Fixes
Fix minor bugs and edge cases
Improve error messages
UI Improvements
Enhance styling with Tailwind/DaisyUI
Improve mobile responsiveness
Add loading states and animations
Fix layout issues
Examples
Add strategy examples in
/strategiesCreate tutorial notebooks
Document common use cases
For Experienced Contributors 🚀
More advanced contributions:
New Broker Integration
Add support for new brokers
Complete implementation guide in next section
Requires understanding of broker APIs
API Endpoints
Implement new trading features
Enhance existing endpoints
Add new data sources
Performance Optimization
Optimize database queries
Improve caching strategies
Reduce API latency
Profile and optimize bottlenecks
WebSocket Features
Add new streaming capabilities
Improve real-time performance
Add broker adapters
Testing Infrastructure
Write unit tests
Add integration tests
Set up CI/CD pipelines
Create test fixtures
Security Enhancements
Audit security vulnerabilities
Improve authentication
Enhance encryption
Add security features
Testing
Manual Testing
OpenAlgo primarily uses manual testing currently:
Application Testing
# Start the application python app.py # Test your changes through the UIAPI Testing
Use the built-in Swagger UI at
http://127.0.0.1:5000/api/docsTest API endpoints with Postman or curl
Verify request/response formats
Cross-Browser Testing
Test in Chrome, Firefox, Safari, Edge
Verify mobile responsiveness
Check for console errors
Error Handling
Test with invalid inputs
Verify proper error messages
Ensure graceful degradation
Automated Testing
Some test files are available in the /test directory:
# Run specific test files
python -m pytest test/test_broker.py
python -m pytest test/test_cache_performance.py
# Run all tests (if pytest is configured)
python -m pytest test/ -vWriting Tests
When adding tests, follow this structure:
# test/test_feature.py
import pytest
from app import create_app
@pytest.fixture
def client():
app = create_app()
app.config['TESTING'] = True
with app.test_client() as client:
yield client
def test_feature(client):
"""Test your feature here."""
response = client.get('/api/v1/endpoint')
assert response.status_code == 200
assert 'expected_key' in response.jsonAdding a New Broker
One of the most valuable contributions is adding support for new brokers. Here's a comprehensive guide:
1. Broker Integration Structure
Create a new directory under /broker/your_broker_name/:
broker/your_broker_name/
├── api/
│ ├── auth_api.py # Authentication and session management
│ ├── order_api.py # Order placement, modification, cancellation
│ ├── data.py # Market data, quotes, historical data
│ └── funds.py # Account balance and margin
├── database/
│ └── master_contract_db.py # Symbol master contract management
├── mapping/
│ ├── order_data.py # Transform OpenAlgo format to broker format
│ └── transform_data.py # General data transformations
├── websocket/
│ └── broker_adapter.py # WebSocket adapter for live data
└── plugin.json # Broker configuration metadata2. Implement Required Modules
2.1 Authentication API (api/auth_api.py)
"""Authentication module for BrokerName."""
from flask import request, jsonify, session
import http.client
import json
def authenticate_broker(data):
"""Authenticate user with broker.
Args:
data (dict): Authentication credentials
Returns:
dict: Authentication response with status and token
"""
# Implementation here
pass
def get_auth_token():
"""Retrieve stored authentication token.
Returns:
str: Active auth token or None
"""
# Implementation here
pass2.2 Order API (api/order_api.py)
"""Order management module for BrokerName."""
def place_order_api(data):
"""Place a new order with the broker.
Args:
data (dict): Order details (symbol, quantity, price, etc.)
Returns:
dict: Order response with order_id and status
"""
pass
def modify_order_api(data):
"""Modify an existing order."""
pass
def cancel_order_api(order_id):
"""Cancel an order."""
pass
def get_order_book():
"""Get all orders for the day."""
pass
def get_trade_book():
"""Get all executed trades."""
pass
def get_positions():
"""Get current open positions."""
pass
def get_holdings():
"""Get demat holdings."""
pass2.3 Data API (api/data.py)
"""Market data module for BrokerName."""
def get_quotes(symbols):
"""Get real-time quotes for symbols."""
pass
def get_market_depth(symbol):
"""Get market depth/order book."""
pass
def get_historical_data(symbol, interval, start_date, end_date):
"""Get historical OHLC data."""
pass2.4 Plugin Configuration (plugin.json)
{
"broker_name": "brokername",
"display_name": "Broker Name",
"version": "1.0.0",
"auth_type": "oauth2",
"api_base_url": "https://api.broker.com",
"features": {
"place_order": true,
"modify_order": true,
"cancel_order": true,
"websocket": true,
"market_depth": true,
"historical_data": true
}
}3. Testing Your Broker Integration
Add broker to
VALID_BROKERSin.envConfigure broker credentials
Test authentication flow
Test each API endpoint via Swagger UI
Test WebSocket streaming (if supported)
Validate error handling
4. Documentation
Create a setup guide in /docs/broker_brokername.md:
# Broker Name Integration Guide
## Prerequisites
- Active trading account with Broker Name
- API credentials (API Key, Secret)
## Setup Steps
1. Login to Broker Name dashboard
2. Generate API credentials
3. Configure in OpenAlgo settings
## Features Supported
- [x] Order placement
- [x] Market data
- [x] WebSocket streaming
- [ ] Basket orders (planned)
## Known Limitations
- Maximum 100 orders per minute
- Historical data limited to 1 year5. Reference Implementation
Study existing broker implementations as reference:
/broker/zerodha/- Most complete implementation/broker/dhan/- Modern API design/broker/angel/- WebSocket streaming
UI Development
Working with Tailwind & DaisyUI
CSS Workflow
NEVER edit
/static/css/main.cssdirectly (it's auto-generated!)Edit source files:
Custom CSS:
/src/css/styles.cssTailwind classes: Directly in HTML templates (
/templates/)
Compile CSS:
# Development mode with auto-watch npm run dev # Production build (minified) npm run buildBefore committing: Always run production build
npm run build git add static/css/main.css
Using DaisyUI Components
OpenAlgo uses DaisyUI component library:
<!-- Button component -->
<button class="btn btn-primary">Place Order</button>
<!-- Card component -->
<div class="card bg-base-100 shadow-xl">
<div class="card-body">
<h2 class="card-title">Portfolio Value</h2>
<p>₹1,25,000</p>
</div>
</div>
<!-- Alert component -->
<div class="alert alert-success">
<span>Order placed successfully!</span>
</div>Theme System
OpenAlgo uses three themes:
Light - Default theme
Dark - Dark mode
Garden - Analyzer/testing mode
Use theme-aware classes:
<!-- Use semantic colors, not hardcoded -->
<div class="bg-base-100 text-base-content">
<!-- Automatically adapts to theme -->
</div>
<!-- Don't use hardcoded colors -->
<div class="bg-white text-black">
<!-- Wrong: Won't adapt to dark theme -->
</div>Responsive Design
Always use responsive Tailwind classes:
<!-- Mobile-first responsive grid -->
<div class="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-3 gap-4">
<div>Column 1</div>
<div>Column 2</div>
<div>Column 3</div>
</div>
<!-- Responsive text sizes -->
<h1 class="text-2xl md:text-3xl lg:text-4xl">Heading</h1>Tailwind Configuration
The Tailwind config is in tailwind.config.mjs:
export default {
content: [
'./templates/**/*.html',
'./static/js/**/*.js',
],
plugins: [
require('daisyui'),
],
daisyui: {
themes: ["light", "dark", "garden"],
},
}Documentation
Good documentation is crucial for open-source projects.
Code Documentation
Python Docstrings - Use Google-style:
def place_order(symbol, quantity, price, order_type): """Place a trading order. Args: symbol (str): Trading symbol in OpenAlgo format quantity (int): Number of shares/contracts price (float): Order price (0 for market orders) order_type (str): Order type ('MARKET', 'LIMIT', 'SL') Returns: dict: Order response with order_id and status Raises: ValueError: If invalid order_type provided ConnectionError: If broker API unreachable """ passInline Comments - Explain complex logic:
# Calculate margin multiplier based on product type # MIS (intraday) requires 20% margin, CNC requires 100% margin_multiplier = 0.2 if product_type == 'MIS' else 1.0Type Hints - Use for better IDE support:
from typing import Dict, List, Optional def get_positions(user_id: int) -> List[Dict[str, any]]: """Get user positions.""" pass
User Documentation
README Updates - For new features, update main README.md
API Documentation - Use Flask-RESTX decorators:
@api.route('/placeorder') class PlaceOrder(Resource): @api.doc(description='Place a new order') @api.expect(order_model) @api.marshal_with(order_response_model) def post(self): """Place a trading order.""" passFeature Guides - Create detailed guides in
/docs:/docs/websocket_usage.md/docs/broker_integration_guide.md/docs/security_best_practices.md
Best Practices
Security
Never commit sensitive data
# Bad - Never do this! API_KEY = 'abc123xyz' # Good - Use environment variables import os API_KEY = os.getenv('BROKER_API_KEY')Validate all inputs
def place_order(data): # Validate quantity is positive if data.get('quantity', 0) <= 0: raise ValueError('Quantity must be positive') # Validate order type valid_types = ['MARKET', 'LIMIT', 'SL', 'SLM'] if data.get('order_type') not in valid_types: raise ValueError('Invalid order type')Use parameterized queries
# Bad - SQL injection vulnerability! query = f"SELECT * FROM orders WHERE user_id = {user_id}" # Good - Parameterized with SQLAlchemy orders = Order.query.filter_by(user_id=user_id).all()Follow OWASP guidelines
Enable CSRF protection (already configured)
Use HTTPS in production
Implement rate limiting (already configured)
Sanitize user inputs
Performance
Optimize database queries
# Bad - N+1 query problem for user in users: orders = Order.query.filter_by(user_id=user.id).all() # Good - Use eager loading from sqlalchemy.orm import joinedload users = User.query.options(joinedload(User.orders)).all()Use caching
from cachetools import TTLCache # Cache symbol data for 5 minutes symbol_cache = TTLCache(maxsize=1000, ttl=300) def get_symbol_info(symbol): if symbol in symbol_cache: return symbol_cache[symbol] # Fetch from database info = fetch_symbol_from_db(symbol) symbol_cache[symbol] = info return infoMinimize API calls
# Bad - Multiple API calls for symbol in symbols: quote = broker.get_quote(symbol) # Good - Batch API call quotes = broker.get_quotes_batch(symbols)
Code Quality
Write self-documenting code
# Bad - Unclear variable names def calc(s, q, p): return s * q * p * 0.1 # Good - Clear and descriptive def calculate_order_value(symbol_price, quantity, price, multiplier): """Calculate total order value with multiplier.""" return symbol_price * quantity * price * multiplierKeep functions small and focused
# Bad - Function does too many things def process_order(order_data): validate_data(order_data) calculate_margin(order_data) check_balance(order_data) place_with_broker(order_data) log_order(order_data) send_notification(order_data) # Good - Single responsibility def process_order(order_data): """Process and place order.""" validated_data = validate_order(order_data) if has_sufficient_margin(validated_data): return place_order_with_broker(validated_data) raise InsufficientMarginError()Handle errors gracefully
try: response = broker_api.place_order(order_data) return {'status': 'success', 'data': response} except ConnectionError as e: logger.error(f"Broker API connection failed: {e}") return {'status': 'error', 'message': 'Unable to connect to broker'} except ValueError as e: logger.warning(f"Invalid order data: {e}") return {'status': 'error', 'message': str(e)} except Exception as e: logger.exception(f"Unexpected error: {e}") return {'status': 'error', 'message': 'An unexpected error occurred'}
Troubleshooting
Common Issues
CSS Not Updating
# Clear browser cache
# Then rebuild CSS:
npm run build
# If still not working, check:
# 1. Is npm installed? (node --version)
# 2. Are node_modules present? (npm install)
# 3. Check for build errors in terminalPython Dependencies
# Create fresh virtual environment
python -m venv venv
source venv/bin/activate # or venv\Scripts\activate on Windows
# Upgrade pip
pip install --upgrade pip
# Reinstall dependencies
pip install -r requirements.txtWebSocket Connection Issues
# Check WebSocket configuration in .env:
WEBSOCKET_HOST='127.0.0.1'
WEBSOCKET_PORT='8765'
# Ensure only one worker with Gunicorn:
gunicorn --worker-class eventlet -w 1 app:app
# Check firewall settingsDatabase Locked Errors
# SQLite database locked - close all connections
# Restart the application
python app.pyGetting Help
Support Channels
Discord: Join our Discord server for real-time help
GitHub Discussions: Ask questions in GitHub Discussions
Documentation: Check docs.openalgo.in
GitHub Issues: Report bugs in Issues
Before Asking for Help
Search existing issues - Your question might already be answered
Check documentation - Review docs at docs.openalgo.in
Review error logs - Include error messages when asking for help
Provide context - Share your environment (OS, Python version, broker)
Asking Good Questions
When asking for help, include:
Clear description of the problem
Steps to reproduce the issue
Expected behavior vs actual behavior
Error messages (full stack trace)
Environment details:
OS and version
Python version (
python --version)OpenAlgo version
Broker being used
Example:
**Problem**: WebSocket connection fails when using Zerodha broker
**Steps to reproduce**:
1. Start OpenAlgo with `python app.py`
2. Login with Zerodha credentials
3. Navigate to Market Watch
4. WebSocket connection shows "Disconnected"
**Expected**: WebSocket should connect and stream live data
**Actual**: Connection fails with error "Connection refused"
**Environment**:
- OS: Windows 11
- Python: 3.12.1
- OpenAlgo: Latest main branch
- Broker: Zerodha
- Error log: [attach error log]Code Review Process
After submitting your pull request:
Automated Checks
Ensure all checks pass
Fix any failing checks before requesting review
Review Feedback
Address reviewer comments promptly
Ask questions if feedback is unclear
Make requested changes in new commits
Updates
Push additional commits to your branch
No need to create a new PR
Use
git push origin feature/your-feature-name
Approval & Merge
Once approved, maintainers will merge
Your contribution will be in the next release!
Be Patient
Reviews may take a few days
Maintainers are volunteers
Ping politely if no response after a week
Recognition & Community
Contributors
We value all contributions! Contributors will be:
Listed in contributors section on GitHub
Mentioned in release notes for significant contributions
Part of the OpenAlgo community on Discord
Eligible for contributor benefits (coming soon)
Community Guidelines
Be respectful and follow these principles:
Be Respectful - Treat everyone with respect
Be Constructive - Provide helpful feedback
Be Patient - Remember everyone is learning
Be Inclusive - Welcome contributors of all skill levels
Be Professional - Keep discussions focused on code
Quick Reference Links
Repository: github.com/marketcalls/openalgo
Issue Tracker: github.com/marketcalls/openalgo/issues
Documentation: docs.openalgo.in
Discord: discord.com/invite/UPh7QPsNhP
PyPI Package: pypi.org/project/openalgo
YouTube: youtube.com/@openalgoHQ
Twitter/X: @openalgoHQ
License
OpenAlgo is released under the AGPL v3.0 License. See the LICENSE file for details.
By contributing to OpenAlgo, you agree that your contributions will be licensed under the AGPL v3.0 License.
Thank You!
Thank you for contributing to OpenAlgo! Your efforts help democratize algorithmic trading and empower traders worldwide. Every line of code, documentation improvement, and bug report makes a difference.
Happy coding, and welcome to the OpenAlgo community!
Built by traders, for traders - making algo trading accessible to everyone.
Last updated
Was this helpful?