lib/
└── todo_manager.dart
class ToDoManager {
final List<ToDo> _todos = [];
void addToDo(String title) {
_todos.add(ToDo(
id: DateTime.now().toString(),
title: title,
isCompleted: false,
));
}
void toggleComplete(String id) {
final index = _todos.indexWhere((todo) => todo.id == id);
if (index != -1) {
_todos[index].isCompleted = !_todos[index].isCompleted;
}
}
void deleteToDo(String id) {
_todos.removeWhere((todo) => todo.id == id);
}
List<ToDo> get todos => List.unmodifiable(_todos);
}
class ToDo {
final String id;
final String title;
bool isCompleted;
ToDo({
required this.id,
required this.title,
this.isCompleted = false,
});
}
lib/
├── models/
│ └── todo.dart // 데이터 모델
├── services/
│ ├── todo_service.dart // 상태 관리
│ └── todo_repository.dart // 데이터 처리 분리
class ToDo {
final String id;
final String title;
final bool isCompleted;
ToDo({
required this.id,
required this.title,
this.isCompleted = false,
});
ToDo copyWith({String? title, bool? isCompleted}) {
return ToDo(
id: id,
title: title ?? this.title,
isCompleted: isCompleted ?? this.isCompleted,
);
}
}
import '../models/todo.dart';
class ToDoRepository {
final List<ToDo> _todos = [];
List<ToDo> fetchTodos() {
return List.unmodifiable(_todos);
}
void saveToDo(ToDo todo) {
_todos.add(todo);
}
void deleteToDo(String id) {
_todos.removeWhere((todo) => todo.id == id);
}
}
import '../models/todo.dart';
import 'todo_repository.dart';
class ToDoService {
final ToDoRepository _repository = ToDoRepository();
List<ToDo> get todos => _repository.fetchTodos();
void addToDo(String title) {
final newToDo = ToDo(id: DateTime.now().toString(), title: title);
_repository.saveToDo(newToDo);
}
void toggleComplete(String id) {
final todos = _repository.fetchTodos();
final index = todos.indexWhere((todo) => todo.id == id);
if (index != -1) {
final updatedToDo = todos[index].copyWith(
isCompleted: !todos[index].isCompleted,
);
_repository.saveToDo(updatedToDo);
}
}
void deleteToDo(String id) {
_repository.deleteToDo(id);
}
}