refactor: Repository 패턴 적용 및 Clean Architecture 완성
Some checks failed
Flutter Test & Quality Check / Test on macos-latest (push) Has been cancelled
Flutter Test & Quality Check / Test on ubuntu-latest (push) Has been cancelled
Flutter Test & Quality Check / Build APK (push) Has been cancelled

## 주요 변경사항

### 🏗️ Architecture
- Repository 패턴 전면 도입 (인터페이스/구현체 분리)
- Domain Layer에 Repository 인터페이스 정의
- Data Layer에 Repository 구현체 배치
- UseCase 의존성을 Service에서 Repository로 전환

### 📦 Dependency Injection
- GetIt 기반 DI Container 재구성 (lib/injection_container.dart)
- Repository 인터페이스와 구현체 등록
- Service와 Repository 공존 (마이그레이션 기간)

### 🔄 Migration Status
완료:
- License 모듈 (6개 UseCase)
- Warehouse Location 모듈 (5개 UseCase)

진행중:
- Auth 모듈 (2/5 UseCase)
- Company 모듈 (1/6 UseCase)

대기:
- User 모듈 (7개 UseCase)
- Equipment 모듈 (4개 UseCase)

### 🎯 Controller 통합
- 중복 Controller 제거 (with_usecase 버전)
- 단일 Controller로 통합
- UseCase 패턴 직접 적용

### 🧹 코드 정리
- 임시 파일 제거 (test_*.md, task.md)
- Node.js 아티팩트 제거 (package.json)
- 불필요한 테스트 파일 정리

###  테스트 개선
- Real API 중심 테스트 구조
- Mock 제거, 실제 API 엔드포인트 사용
- 통합 테스트 프레임워크 강화

## 기술적 영향
- 의존성 역전 원칙 적용
- 레이어 간 결합도 감소
- 테스트 용이성 향상
- 확장성 및 유지보수성 개선

## 다음 단계
1. User/Equipment 모듈 Repository 마이그레이션
2. Service Layer 점진적 제거
3. 캐싱 전략 구현
4. 성능 최적화
This commit is contained in:
JiWoong Sul
2025-08-11 20:14:10 +09:00
parent d64aa26157
commit 731dcd816b
105 changed files with 5225 additions and 3941 deletions

View File

@@ -23,6 +23,11 @@ abstract class WarehouseLocationRemoteDataSource {
int page = 1,
int perPage = 20,
});
// Repository에서 사용하는 추가 메서드들
Future<void> updateWarehouseLocationStatus(int id, bool isActive);
Future<bool> checkWarehouseHasEquipment(int id);
Future<bool> checkDuplicateWarehouseName(String name);
}
@LazySingleton(as: WarehouseLocationRemoteDataSource)
@@ -266,6 +271,56 @@ class WarehouseLocationRemoteDataSourceImpl implements WarehouseLocationRemoteDa
}
}
// Repository에서 사용하는 추가 메서드들 구현
@override
Future<void> updateWarehouseLocationStatus(int id, bool isActive) async {
try {
await _apiClient.patch(
'${ApiEndpoints.warehouseLocations}/$id/status',
data: {'is_active': isActive},
);
} catch (e) {
throw _handleError(e);
}
}
@override
Future<bool> checkWarehouseHasEquipment(int id) async {
try {
final response = await _apiClient.get(
'${ApiEndpoints.warehouseLocations}/$id/has-equipment',
);
if (response.data != null && response.data['success'] == true) {
return response.data['data']['has_equipment'] ?? false;
}
return false;
} catch (e) {
// 오류 시 기본값 false 반환
debugPrint('📦 창고 장비 보유 여부 확인 중 오류: $e');
return false;
}
}
@override
Future<bool> checkDuplicateWarehouseName(String name) async {
try {
final response = await _apiClient.get(
'${ApiEndpoints.warehouseLocations}/check-duplicate',
queryParameters: {'name': name},
);
if (response.data != null && response.data['success'] == true) {
return response.data['data']['is_duplicate'] ?? false;
}
return false;
} catch (e) {
// 오류 시 기본값 false 반환 (중복이 아니라고 가정)
debugPrint('📦 중복 창고명 확인 중 오류: $e');
return false;
}
}
Exception _handleError(dynamic error) {
if (error is ApiException) {
return error;