mirror of
https://github.com/DRYTRIX/TimeTracker.git
synced 2025-12-31 00:09:58 -06:00
## New Features
### Import/Export System
- Add DataImport and DataExport models for tracking operations
- Implement CSV import for bulk time entry data
- Add support for importing from Toggl and Harvest (placeholder)
- Implement GDPR-compliant full data export (JSON format)
- Add filtered export functionality with date/project filters
- Create backup/restore functionality for database migrations
- Build migration wizard UI for seamless data transitions
- Add comprehensive test coverage (unit and integration tests)
- Create user documentation (IMPORT_EXPORT_GUIDE.md)
### Database Changes
- Add migration 040: Create data_imports and data_exports tables
- Track import/export operations with status, logs, and file paths
- Support automatic file expiration for temporary downloads
## UI/UX Improvements
### Navigation Menu Restructure
- Rename "Work" to "Time Tracking" for clarity
- Rename "Finance" to "Finance & Expenses"
- Add "Tools & Data" submenu with Import/Export and Saved Filters
- Reorganize Time Tracking submenu: prioritize Log Time, add icons to all items
- Expand Finance submenu: add Mileage, Per Diem, and Budget Alerts
- Add icons to all Admin submenu items for better visual scanning
- Fix Weekly Goals not keeping Time Tracking menu open
### Standardized Page Headers
Apply consistent page_header macro across 26+ pages:
- **Time Tracking**: Tasks, Projects, Clients, Kanban, Weekly Goals, Templates, Manual Entry
- **Finance**: Invoices, Payments, Expenses, Mileage, Per Diem, Budget Alerts, Reports
- **Admin**: Dashboard, Users, Roles, Permissions, Settings, API Tokens, Backups, System Info, OIDC
- **Tools**: Import/Export, Saved Filters, Calendar
- **Analytics**: Dashboard
Each page now includes:
- Descriptive icon (Font Awesome)
- Clear title and subtitle
- Breadcrumb navigation
- Consistent action button placement
- Responsive design with dark mode support
## Bug Fixes
### Routing Errors
- Fix endpoint name: `per_diem.list_per_diems` → `per_diem.list_per_diem`
- Fix endpoint name: `reports.index` → `reports.reports`
- Fix endpoint name: `timer.timer` → `timer.manual_entry`
- Add missing route registration for import_export blueprint
### User Experience
- Remove duplicate "Test Configuration" button from OIDC debug page
- Clean up user dropdown menu (remove redundant Import/Export link)
- Improve menu item naming ("Profile" → "My Profile", "Settings" → "My Settings")
## Technical Details
### New Files
- `app/models/import_export.py` - Import/Export models
- `app/utils/data_import.py` - Import business logic
- `app/utils/data_export.py` - Export business logic
- `app/routes/import_export.py` - API endpoints
- `app/templates/import_export/index.html` - User interface
- `tests/test_import_export.py` - Integration tests
- `tests/models/test_import_export_models.py` - Model tests
- `docs/IMPORT_EXPORT_GUIDE.md` - User documentation
- `docs/import_export/README.md` - Quick reference
- `migrations/versions/040_add_import_export_tables.py` - Database migration
### Modified Files
- `app/__init__.py` - Register import_export blueprint
- `app/models/__init__.py` - Export new models
- `app/templates/base.html` - Restructure navigation menu
- 26+ template files - Standardize headers with page_header macro
## Breaking Changes
None. All changes are backward compatible.
## Testing
- All existing tests pass
- New test coverage for import/export functionality
- Manual testing of navigation menu changes
- Verified consistent UI across all updated pages
Import/Export System
Quick Start
The TimeTracker Import/Export system enables seamless data migration, GDPR-compliant data exports, and comprehensive backup/restore functionality.
Features
- 📥 CSV Import - Bulk import time entries
- 🔄 Toggl/Harvest Import - Direct integration with popular time trackers
- 📤 GDPR Export - Complete data export for compliance
- 🔍 Filtered Export - Export specific data with custom filters
- 💾 Backup/Restore - Full database backup (admin only)
- 📊 History Tracking - Monitor all import/export operations
Quick Links
- User Guide: IMPORT_EXPORT_GUIDE.md
- Implementation Summary: IMPORT_EXPORT_IMPLEMENTATION_SUMMARY.md
- API Documentation: See User Guide → API Documentation section
For Users
Accessing Import/Export
- Click on your user menu (top right)
- Select "Import/Export"
- Choose your desired operation
Common Tasks
Import CSV File:
- Download the CSV template
- Fill in your data
- Upload the file
- Check Import History for results
Export Your Data (GDPR):
- Click "Export as JSON" or "Export as ZIP"
- Wait for processing (usually < 1 minute)
- Download the file when ready
Import from Toggl:
- Get your API token from Toggl
- Click "Import from Toggl"
- Enter credentials and date range
- Start import
For Developers
Project Structure
app/
├── models/
│ └── import_export.py # DataImport & DataExport models
├── utils/
│ ├── data_import.py # Import functions
│ └── data_export.py # Export functions
├── routes/
│ └── import_export.py # API endpoints
└── templates/
└── import_export/
└── index.html # UI
migrations/
└── versions/
└── 040_add_import_export_tables.py
tests/
├── test_import_export.py # Integration tests
└── models/
└── test_import_export_models.py # Model tests
docs/
├── IMPORT_EXPORT_GUIDE.md # Complete guide
└── import_export/
└── README.md # This file
Adding New Import Source
# 1. Add import function in app/utils/data_import.py
def import_from_new_source(user_id, credentials, start_date, end_date, import_record):
"""Import from new time tracker"""
import_record.start_processing()
try:
# Fetch data from API
data = fetch_from_api(credentials)
# Process each record
for record in data:
# Create TimeEntry
time_entry = TimeEntry(...)
db.session.add(time_entry)
import_record.update_progress(...)
db.session.commit()
import_record.complete()
except Exception as e:
import_record.fail(str(e))
# 2. Add route in app/routes/import_export.py
@import_export_bp.route('/api/import/new-source', methods=['POST'])
@login_required
def import_new_source():
data = request.get_json()
# ... validation ...
import_record = DataImport(
user_id=current_user.id,
import_type='new_source',
source_file='...'
)
db.session.add(import_record)
db.session.commit()
summary = import_from_new_source(...)
return jsonify({'success': True, 'import_id': import_record.id})
# 3. Add UI in app/templates/import_export/index.html
# Add button and modal form for the new source
API Usage Examples
Import CSV via API:
import requests
files = {'file': open('time_entries.csv', 'rb')}
response = requests.post(
'http://localhost:8080/api/import/csv',
files=files,
cookies={'session': 'your_session_cookie'}
)
print(response.json())
Export GDPR Data:
import requests
response = requests.post(
'http://localhost:8080/api/export/gdpr',
json={'format': 'json'},
cookies={'session': 'your_session_cookie'}
)
result = response.json()
download_url = result['download_url']
Check Import Status:
import requests
response = requests.get(
f'http://localhost:8080/api/import/status/{import_id}',
cookies={'session': 'your_session_cookie'}
)
status = response.json()
print(f"Status: {status['status']}")
print(f"Progress: {status['successful_records']}/{status['total_records']}")
Running Tests
# Run all import/export tests
pytest tests/test_import_export.py -v
# Run model tests
pytest tests/models/test_import_export_models.py -v
# Run with coverage
pytest tests/test_import_export.py --cov=app.utils.data_import --cov=app.utils.data_export
Database Migration
# Apply migration
flask db upgrade
# Or with Alembic
alembic upgrade head
# Rollback if needed
flask db downgrade
# or
alembic downgrade -1
CSV Format Reference
Required Columns
project_name- Name of the projectstart_time- Start time (YYYY-MM-DD HH:MM:SS)
Optional Columns
client_name- Client name (defaults to project name)task_name- Task nameend_time- End timeduration_hours- Duration in hoursnotes- Description/notestags- Semicolon-separated tagsbillable- true/false
Example CSV
project_name,client_name,task_name,start_time,end_time,duration_hours,notes,tags,billable
Website Redesign,Acme Corp,Design,2024-01-15 09:00:00,2024-01-15 12:00:00,3.0,Homepage mockups,design;ui,true
Website Redesign,Acme Corp,Development,2024-01-15 14:00:00,2024-01-15 17:30:00,3.5,Implemented header,dev;frontend,true
Security Notes
Authentication
- All endpoints require authentication
- Users can only access their own data
- Admins can create backups and view all history
Data Privacy
- Exports are private to the creating user
- Files expire after 7 days
- Secure storage in
/data/uploads
CSRF Protection
- All POST endpoints require CSRF token
- Automatically handled by the UI
- API clients must include CSRF token
Troubleshooting
Common Issues
Import fails with "Invalid date format"
- Use YYYY-MM-DD HH:MM:SS format
- Or ISO format: YYYY-MM-DDTHH:MM:SS
Toggl import returns 401
- Check API token is correct
- Verify workspace ID is valid
- Ensure you have access to the workspace
Export download says "expired"
- Exports expire after 7 days
- Create a new export
Large import is slow
- Imports are processed in batches
- Wait for completion (check Import History)
- Consider splitting into smaller date ranges
Performance Tips
-
Large Imports
- Split into smaller date ranges
- Import during off-peak hours
- Monitor Import History for progress
-
Large Exports
- Use filtered exports for specific data
- JSON is faster than ZIP for large datasets
- Exports are generated asynchronously
-
Storage Management
- Exports auto-delete after 7 days
- Download important exports immediately
- Backups should be stored externally
Support
- Documentation: IMPORT_EXPORT_GUIDE.md
- Issues: Report on GitHub
- Questions: Check FAQ in the main guide
Version History
Version 1.0 (October 31, 2024)
- Initial release
- CSV import
- Toggl integration
- Harvest integration
- GDPR export
- Filtered export
- Backup/restore
- Migration wizard
- History tracking
License
Same as TimeTracker application.