Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
36 changes: 11 additions & 25 deletions commands/add.py
Original file line number Diff line number Diff line change
@@ -1,37 +1,23 @@
"""Add task command."""

import json
from pathlib import Path

from .utils import load_tasks, save_tasks, validate_description

def get_tasks_file():
"""Get path to tasks file."""
return Path.home() / ".local" / "share" / "task-cli" / "tasks.json"


def validate_description(description):
"""Validate task description."""
# NOTE: Validation logic scattered here - should be in utils (refactor bounty)
if not description:
raise ValueError("Description cannot be empty")
if len(description) > 200:
raise ValueError("Description too long (max 200 chars)")
return description.strip()


def add_task(description):
def add_task(description, json_output=False):
"""Add a new task."""
description = validate_description(description)

tasks_file = get_tasks_file()
tasks_file.parent.mkdir(parents=True, exist_ok=True)

tasks = []
if tasks_file.exists():
tasks = json.loads(tasks_file.read_text())
tasks = load_tasks()

task_id = len(tasks) + 1
tasks.append({"id": task_id, "description": description, "done": False})
task = {"id": task_id, "description": description, "done": False}
tasks.append(task)

save_tasks(tasks)

tasks_file.write_text(json.dumps(tasks, indent=2))
print(f"Added task {task_id}: {description}")
if json_output:
print(json.dumps(task))
else:
print(f"Added task {task_id}: {description}")
38 changes: 17 additions & 21 deletions commands/done.py
Original file line number Diff line number Diff line change
@@ -1,37 +1,33 @@
"""Mark task done command."""

import json
from pathlib import Path

from .utils import load_tasks, save_tasks, validate_task_id

def get_tasks_file():
"""Get path to tasks file."""
return Path.home() / ".local" / "share" / "task-cli" / "tasks.json"


def validate_task_id(tasks, task_id):
"""Validate task ID exists."""
# NOTE: Validation logic scattered here - should be in utils (refactor bounty)
if task_id < 1 or task_id > len(tasks):
raise ValueError(f"Invalid task ID: {task_id}")
return task_id


def mark_done(task_id):
def mark_done(task_id, json_output=False):
"""Mark a task as complete."""
tasks_file = get_tasks_file()
if not tasks_file.exists():
print("No tasks found!")
tasks = load_tasks()
if not tasks:
if json_output:
print(json.dumps({}))
else:
print("No tasks found!")
return

tasks = json.loads(tasks_file.read_text())
task_id = validate_task_id(tasks, task_id)

for task in tasks:
if task["id"] == task_id:
task["done"] = True
tasks_file.write_text(json.dumps(tasks, indent=2))
print(f"Marked task {task_id} as done: {task['description']}")
save_tasks(tasks)
if json_output:
print(json.dumps(task))
else:
print(f"Marked task {task_id} as done: {task['description']}")
return

print(f"Task {task_id} not found")
if json_output:
print(json.dumps({}))
else:
print(f"Task {task_id} not found")
39 changes: 13 additions & 26 deletions commands/list.py
Original file line number Diff line number Diff line change
@@ -1,37 +1,24 @@
"""List tasks command."""

import json
from pathlib import Path

from .utils import load_tasks

def get_tasks_file():
"""Get path to tasks file."""
return Path.home() / ".local" / "share" / "task-cli" / "tasks.json"


def validate_task_file():
"""Validate tasks file exists."""
# NOTE: Validation logic scattered here - should be in utils (refactor bounty)
tasks_file = get_tasks_file()
if not tasks_file.exists():
return []
return tasks_file


def list_tasks():
def list_tasks(json_output=False):
"""List all tasks."""
# NOTE: No --json flag support yet (feature bounty)
tasks_file = validate_task_file()
if not tasks_file:
print("No tasks yet!")
return

tasks = json.loads(tasks_file.read_text())
tasks = load_tasks()

if not tasks:
print("No tasks yet!")
if json_output:
print(json.dumps([]))
else:
print("No tasks yet!")
return

for task in tasks:
status = "✓" if task["done"] else " "
print(f"[{status}] {task['id']}. {task['description']}")
if json_output:
print(json.dumps(tasks))
else:
for task in tasks:
status = "✓" if task["done"] else " "
print(f"[{status}] {task['id']}. {task['description']}")
49 changes: 49 additions & 0 deletions commands/utils.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,49 @@
"""Shared utilities for task-cli commands.

This module centralizes common file path and validation logic.
"""

from __future__ import annotations

import json
from pathlib import Path
from typing import Any, List, Dict


def get_tasks_file() -> Path:
"""Get path to tasks file."""
return Path.home() / ".local" / "share" / "task-cli" / "tasks.json"


def load_tasks() -> List[Dict[str, Any]]:
"""Load tasks from disk.

Returns an empty list when the tasks file does not exist yet.
"""
tasks_file = get_tasks_file()
if not tasks_file.exists():
return []
return json.loads(tasks_file.read_text())


def save_tasks(tasks: List[Dict[str, Any]]) -> None:
"""Persist tasks to disk."""
tasks_file = get_tasks_file()
tasks_file.parent.mkdir(parents=True, exist_ok=True)
tasks_file.write_text(json.dumps(tasks, indent=2))


def validate_description(description: str) -> str:
"""Validate task description."""
if not description:
raise ValueError("Description cannot be empty")
if len(description) > 200:
raise ValueError("Description too long (max 200 chars)")
return description.strip()


def validate_task_id(tasks: List[Dict[str, Any]], task_id: int) -> int:
"""Validate task ID exists."""
if task_id < 1 or task_id > len(tasks):
raise ValueError(f"Invalid task ID: {task_id}")
return task_id
9 changes: 6 additions & 3 deletions task.py
Original file line number Diff line number Diff line change
Expand Up @@ -25,22 +25,25 @@ def main():
# Add command
add_parser = subparsers.add_parser("add", help="Add a new task")
add_parser.add_argument("description", help="Task description")
add_parser.add_argument("--json", action="store_true", help="Output in JSON format")

# List command
list_parser = subparsers.add_parser("list", help="List all tasks")
list_parser.add_argument("--json", action="store_true", help="Output in JSON format")

# Done command
done_parser = subparsers.add_parser("done", help="Mark task as complete")
done_parser.add_argument("task_id", type=int, help="Task ID to mark done")
done_parser.add_argument("--json", action="store_true", help="Output in JSON format")

args = parser.parse_args()

if args.command == "add":
add_task(args.description)
add_task(args.description, json_output=args.json)
elif args.command == "list":
list_tasks()
list_tasks(json_output=args.json)
elif args.command == "done":
mark_done(args.task_id)
mark_done(args.task_id, json_output=args.json)
else:
parser.print_help()

Expand Down