roster/src/project_manager.py
Pavel Baksy ab104947f3 Add smart tab management and duplicate request handling
Duplicate Name Detection:
- Warn when saving request with existing name in same project
- Show overwrite confirmation dialog with destructive styling
- Update existing request on overwrite (preserves ID, updates timestamp)
- Request names are unique within projects (but can duplicate across projects)

Save Request Improvements:
- Clear modified flag (•) when request is saved or overwritten
- Pre-fill save dialog with original request name and project
- Pre-fill save dialog with tab name for copy tabs
- Auto-select text in name field for easy editing

Smart Tab Loading:
- Switch to existing tab when loading unmodified saved request
- Create new tab only when needed (modified or doesn't exist)
- Avoid duplicate tabs for same request
- Show toast notification when switching to existing tab

Copy Tab Management:
- Create numbered copies when loading modified request again
- Naming: "ReqA (copy)", "ReqA (copy 2)", "ReqA (copy 3)", etc.
- Copy tabs are NOT linked to saved request (no saved_request_id)
- Copy tabs marked as unsaved (•) to encourage saving with new name
- Unique copy names prevent conflicts

Tab Response Persistence:
- Restore response when switching between tabs
- Each tab maintains independent response state
- Clear response area when switching to tab without response

Project Manager:
- Add find_request_by_name() for duplicate detection
- Add update_request() for overwriting existing requests
- Update request modified_at timestamp on save

Files Modified:
- src/project_manager.py: Duplicate detection and update methods
- src/window.py: Smart tab management and copy handling
2025-12-22 02:03:35 +01:00

152 lines
5.3 KiB
Python

# project_manager.py
#
# Copyright 2025 Pavel Baksy
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <https://www.gnu.org/licenses/>.
#
# SPDX-License-Identifier: GPL-3.0-or-later
import json
import uuid
from pathlib import Path
from typing import List, Optional
from datetime import datetime, timezone
from .models import Project, SavedRequest, HttpRequest
class ProjectManager:
"""Manages project and saved request persistence."""
def __init__(self):
# Store in ~/.roster/ (not ~/.config/) for git versioning
self.data_dir = Path.home() / '.roster'
self.projects_file = self.data_dir / 'requests.json'
self._ensure_data_dir()
def _ensure_data_dir(self):
"""Create data directory if it doesn't exist."""
self.data_dir.mkdir(parents=True, exist_ok=True)
def load_projects(self) -> List[Project]:
"""Load projects from JSON file."""
if not self.projects_file.exists():
return []
try:
with open(self.projects_file, 'r') as f:
data = json.load(f)
return [Project.from_dict(p) for p in data.get('projects', [])]
except Exception as e:
print(f"Error loading projects: {e}")
return []
def save_projects(self, projects: List[Project]):
"""Save projects to JSON file."""
try:
data = {
'version': 1,
'projects': [p.to_dict() for p in projects]
}
with open(self.projects_file, 'w') as f:
json.dump(data, f, indent=2)
except Exception as e:
print(f"Error saving projects: {e}")
def add_project(self, name: str) -> Project:
"""Create new project."""
projects = self.load_projects()
project = Project(
id=str(uuid.uuid4()),
name=name,
requests=[],
created_at=datetime.now(timezone.utc).isoformat()
)
projects.append(project)
self.save_projects(projects)
return project
def update_project(self, project_id: str, new_name: str = None, new_icon: str = None):
"""Update a project's name and/or icon."""
projects = self.load_projects()
for p in projects:
if p.id == project_id:
if new_name is not None:
p.name = new_name
if new_icon is not None:
p.icon = new_icon
break
self.save_projects(projects)
def delete_project(self, project_id: str):
"""Delete a project and all its requests."""
projects = self.load_projects()
projects = [p for p in projects if p.id != project_id]
self.save_projects(projects)
def add_request(self, project_id: str, name: str, request: HttpRequest) -> SavedRequest:
"""Add request to a project."""
projects = self.load_projects()
now = datetime.now(timezone.utc).isoformat()
saved_request = SavedRequest(
id=str(uuid.uuid4()),
name=name,
request=request,
created_at=now,
modified_at=now
)
for p in projects:
if p.id == project_id:
p.requests.append(saved_request)
break
self.save_projects(projects)
return saved_request
def find_request_by_name(self, project_id: str, name: str) -> Optional[SavedRequest]:
"""Find a request by name within a project. Returns None if not found."""
projects = self.load_projects()
for p in projects:
if p.id == project_id:
for req in p.requests:
if req.name == name:
return req
break
return None
def update_request(self, project_id: str, request_id: str, name: str, request: HttpRequest) -> SavedRequest:
"""Update an existing request."""
projects = self.load_projects()
updated_request = None
for p in projects:
if p.id == project_id:
for req in p.requests:
if req.id == request_id:
req.name = name
req.request = request
req.modified_at = datetime.now(timezone.utc).isoformat()
updated_request = req
break
break
if updated_request:
self.save_projects(projects)
return updated_request
def delete_request(self, project_id: str, request_id: str):
"""Delete a saved request."""
projects = self.load_projects()
for p in projects:
if p.id == project_id:
p.requests = [r for r in p.requests if r.id != request_id]
break
self.save_projects(projects)