Contributing to PixTrail¶
Thank you for your interest in contributing to PixTrail! This guide will help you understand the project structure and how to make effective contributions.
Table of Contents¶
- Getting Started
- Development Environment
- Code Organization
- Making Contributions
- Coding Standards
- Testing
- Documentation
- Pull Request Process
- Issue Guidelines
Getting Started¶
Before contributing to PixTrail, please:
-
Read the documentation: Familiarize yourself with the existing documentation, especially the Architecture Overview and Module Structure.
-
Check existing issues: See if someone has already reported the bug or requested the feature you're thinking about.
-
Discuss major changes: For significant changes, open an issue first to discuss your ideas with the maintainers.
Development Environment¶
Prerequisites¶
- Python 3.6 or newer
- Node.js and npm (for JavaScript linting)
- Git
Setting Up¶
- Fork the repository:
- Go to the PixTrail GitHub repository
-
Click the "Fork" button in the upper right corner
-
Clone your fork:
git clone https://github.com/YOUR-USERNAME/pixtrail.git cd pixtrail
-
Create a virtual environment:
python -m venv venv # On Windows venv\Scripts\activate # On macOS/Linux source venv/bin/activate
-
Install development dependencies:
pip install -e ".[dev,web]"
-
Set up pre-commit hooks (optional but recommended):
pre-commit install
Code Organization¶
PixTrail follows a modular architecture that separates concerns and improves maintainability.
Python Code Structure¶
pixtrail/
├── __init__.py
├── __main__.py
├── cli.py # Command-line interface
├── core.py # Core functionality
├── exif_reader.py # EXIF metadata extraction
├── gpx_generator.py # GPX file generation
├── utils.py # General utilities
└── web/ # Web interface
├── __init__.py
├── routes.py # API routes
├── server.py # Web server
├── static/ # Static assets
└── templates/ # HTML templates
JavaScript Modules¶
The JavaScript code is organized into the following categories:
- API Client (
static/js/api/
) - Contains modules for server communication
-
apiClient.js
handles all API requests -
Feature Modules (
static/js/modules/
) - Each module encapsulates a specific feature
-
Examples:
mapVisualization.js
,fileUpload.js
,statistics.js
-
Utilities (
static/js/utils/
) - Provides shared functionality across modules
-
Examples:
domHelpers.js
,fileUtils.js
,gpsUtils.js
-
Main Application (
static/js/main.js
) - Application entry point
- Initializes and orchestrates all modules
CSS Structure¶
The CSS follows a similar modular approach:
- Base Styles (
static/css/base/
) - Foundational styles that apply globally
-
reset.css
,typography.css
,variables.css
-
Layout Styles (
static/css/layouts/
) - Define the overall page structure
-
container.css
,grid.css
-
Module Styles (
static/css/modules/
) - Component-specific styles in individual files
-
Examples:
map-section.css
,file-upload.css
-
Main CSS (
static/css/main.css
) - Imports all modules in the correct order
Making Contributions¶
Types of Contributions¶
We welcome several types of contributions:
- Bug fixes: Fixes for issues in the existing codebase
- Feature additions: New features that enhance the application
- Performance improvements: Changes that make the code faster or more efficient
- Documentation: Improvements to the documentation
- UI/UX enhancements: Visual and user experience improvements
Workflow¶
-
Create a branch for your changes:
git checkout -b feature/your-feature-name # or git checkout -b fix/issue-description
-
Make your changes: Implement the bug fix or feature
-
Run tests: Ensure all tests pass
pytest
-
Write your own tests: Add tests for your changes
-
Update documentation: Update relevant documentation files
-
Commit your changes with descriptive messages:
git commit -m "Add feature: brief description"
-
Push to your fork:
git push origin feature/your-feature-name
-
Create a pull request from your fork to the main repository
Adding a New JavaScript Module¶
- Create a new file in the appropriate directory
- Use ES6 modules with explicit imports/exports
- Follow the class-based pattern used in existing modules
- Document your module with JSDoc comments
- Import and initialize your module in
main.js
Example module structure:
/**
* MyFeature Module
* Description of what this module does
*/
import DOMHelpers from '../utils/domHelpers.js';
import UIUtils from '../utils/uiUtils.js';
class MyFeature {
/**
* Initialize module
* @param {Object} config - Configuration options
*/
constructor(config) {
this.config = config;
// Initialize properties
// Call initialization method
this.init();
}
/**
* Initialize event listeners and setup
*/
init() {
// Setup code here
}
/**
* Public method example
* @param {string} param - Parameter description
* @returns {boolean} Result description
*/
publicMethod(param) {
// Method implementation
return true;
}
}
export default MyFeature;
Adding a New CSS Module¶
- Create a new file in the appropriate directory (
static/css/modules/
for components) - Focus on styling a single component or feature
- Use CSS variables for colors, spacing, etc.
- Add your file to the imports in
main.css
Example CSS module:
/**
* PixTrail - MyFeature Module
* Styles for the MyFeature component
*/
.my-feature {
background-color: var(--bg-light);
border-radius: var(--border-radius-md);
padding: var(--spacing-md);
margin-bottom: var(--spacing-xl);
}
.my-feature__title {
color: var(--primary-color);
margin-bottom: var(--spacing-sm);
}
.my-feature__content {
display: flex;
gap: var(--spacing-md);
}
@media (max-width: 768px) {
.my-feature__content {
flex-direction: column;
}
}
Adding a New Python Feature¶
- Determine if the feature belongs in an existing module or deserves a new one
- Follow the architectural patterns established in the codebase
- Add comprehensive docstrings and type hints
- Write unit tests for your new functionality
Example Python module structure:
"""
Module: my_feature.py
Description of what this module does
"""
import os
from typing import Dict, List, Optional
class MyFeature:
"""Main class for implementing my feature."""
def __init__(self, config: Optional[Dict] = None):
"""
Initialize the feature.
Args:
config: Optional configuration dictionary
"""
self.config = config or {}
# Initialize properties
def process(self, data: List[Dict]) -> Dict:
"""
Process the provided data.
Args:
data: Data to process
Returns:
Dictionary containing processed results
"""
# Process data
result = {}
# Implementation
return result
Coding Standards¶
Python¶
- Follow PEP 8 style guide
- Include docstrings for all modules, classes, and functions (PEP 257)
- Use type hints where appropriate (PEP 484)
- Write clean, readable code with descriptive variable names
- Keep functions focused on a single responsibility
- Use meaningful variable and function names
- Limit line length to 100 characters
JavaScript¶
- Use ES6+ features
- Follow consistent indentation (2 spaces)
- Include JSDoc comments for all functions and methods
- Use
const
for variables that don't need to be reassigned - Use
let
for variables that need reassignment - Avoid global variables
- Use camelCase for variables and functions
- Use PascalCase for classes
- Use descriptive variable and function names
CSS¶
- Use the BEM naming convention for classes
- Use CSS variables for colors, spacing, etc.
- Keep selectors specific to their component
- Organize properties logically
- Include responsive styles for each component
- Add comments for complex styles
Testing¶
Python Testing¶
- Write unit tests using pytest for all new functionality
- Ensure all tests pass before submitting a pull request
- Test structure should follow the same structure as the code
- Use descriptive test names
- Use fixtures where appropriate
Example test:
import pytest
from pixtrail.my_feature import MyFeature
def test_my_feature_initialization():
"""Test that MyFeature initializes correctly."""
feature = MyFeature()
assert feature.config == {}
feature = MyFeature({"option": "value"})
assert feature.config == {"option": "value"}
def test_my_feature_processing():
"""Test that MyFeature processes data correctly."""
feature = MyFeature()
data = [{"field": "value"}]
result = feature.process(data)
assert "processed_field" in result
assert result["processed_field"] == "expected_value"
JavaScript Testing¶
- Test JavaScript modules with Jest or similar framework
- Focus on testing the public API of each module
- Use mocks and stubs for external dependencies
- Include both unit and integration tests
Example test:
import MyFeature from '../modules/myFeature.js';
describe('MyFeature', () => {
let myFeature;
let mockConfig;
beforeEach(() => {
mockConfig = {
container: document.createElement('div')
};
myFeature = new MyFeature(mockConfig);
});
test('initializes correctly', () => {
expect(myFeature.config).toBe(mockConfig);
});
test('publicMethod returns expected value', () => {
const result = myFeature.publicMethod('test');
expect(result).toBe(true);
});
});
Documentation¶
Documentation is a crucial part of PixTrail. When adding new features:
- Update or create relevant documentation files
- Add comprehensive docstrings to Python code
- Add JSDoc comments to JavaScript code
- Include examples of how to use the new feature
- Update any diagrams or architecture documentation if necessary
Documentation Structure¶
README.md
: Main project overview/docs/
: Technical documentationarchitecture.md
: Architectural overviewapi/
: API documentationdevelopment/
: Development guidelinestutorials/
: User tutorials
Pull Request Process¶
- Ensure your code meets all requirements:
- Tests pass
- Documentation is updated
-
Code follows style guidelines
-
Create a clear pull request description:
- Explain the purpose of the changes
- Reference any related issues
- Describe how to test the changes
-
Mention any significant design decisions
-
Review process:
- A maintainer will review your code
- Address any feedback or requested changes
-
Tests will be run automatically
-
Approval and merge:
- Once approved, a maintainer will merge your changes
- Your contribution will become part of PixTrail!
Pull Request Title Format¶
Use descriptive titles that indicate the type of change:
Fix: Description of the bug fix
Feature: Description of the new feature
Docs: Description of documentation changes
Refactor: Description of code refactoring
Test: Description of test additions/changes
Perf: Description of performance improvements
Issue Guidelines¶
Reporting Bugs¶
When reporting a bug, please include:
- Description: Clear and concise description of the bug
- Steps to reproduce: Detailed steps to reproduce the issue
- Expected behavior: What you expected to happen
- Actual behavior: What actually happened
- Screenshots/logs: If applicable
- Environment: OS, Python version, browser, etc.
- Additional context: Any other relevant information
Feature Requests¶
When suggesting a feature, please include:
- Description: Clear and concise description of the feature
- Problem: The problem this feature would solve
- Proposed solution: How you envision the feature working
- Alternatives: Any alternative solutions you've considered
- Additional context: Any other relevant information
Code of Conduct¶
We are committed to providing a welcoming and inspiring community for all. Please be respectful and considerate of others when participating in this project.
Recognition¶
Contributors will be acknowledged in the project's README and/or CONTRIBUTORS file.
Thank you for contributing to PixTrail!