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

@@ -1,7 +1,8 @@
import 'package:dartz/dartz.dart';
import 'package:injectable/injectable.dart';
import '../../../data/models/license/license_dto.dart';
import '../../../data/repositories/license_repository.dart';
import '../../../models/license_model.dart';
import '../../repositories/license_repository.dart';
import '../../../core/errors/failures.dart';
import '../base_usecase.dart';
@@ -16,18 +17,52 @@ class CreateLicenseUseCase implements UseCase<LicenseDto, CreateLicenseParams> {
Future<Either<Failure, LicenseDto>> call(CreateLicenseParams params) async {
try {
// 비즈니스 로직: 만료일 검증
if (params.expiryDate.isBefore(params.startDate)) {
return Left(ValidationFailure(message: '만료일은 시작일 이후여야 합니다'));
if (params.expiryDate.isBefore(params.purchaseDate)) {
return Left(ValidationFailure(message: '만료일은 구매일 이후여야 합니다'));
}
// 비즈니스 로직: 최소 라이선스 기간 검증 (30일)
final duration = params.expiryDate.difference(params.startDate).inDays;
final duration = params.expiryDate.difference(params.purchaseDate).inDays;
if (duration < 30) {
return Left(ValidationFailure(message: '라이선스 기간은 최소 30일 이상이어야 합니다'));
}
final license = await repository.createLicense(params.toMap());
return Right(license);
final license = License(
licenseKey: params.licenseKey,
productName: params.productName,
vendor: params.vendor,
licenseType: params.licenseType,
userCount: params.userCount,
purchaseDate: params.purchaseDate,
expiryDate: params.expiryDate,
purchasePrice: params.purchasePrice,
companyId: params.companyId,
branchId: params.branchId,
remark: params.remark,
);
final result = await repository.createLicense(license);
return result.map((createdLicense) => LicenseDto(
id: createdLicense.id!,
licenseKey: createdLicense.licenseKey,
productName: createdLicense.productName,
vendor: createdLicense.vendor,
licenseType: createdLicense.licenseType,
userCount: createdLicense.userCount,
purchaseDate: createdLicense.purchaseDate,
expiryDate: createdLicense.expiryDate,
purchasePrice: createdLicense.purchasePrice,
companyId: createdLicense.companyId,
branchId: createdLicense.branchId,
assignedUserId: createdLicense.assignedUserId,
remark: createdLicense.remark,
isActive: createdLicense.isActive,
createdAt: createdLicense.createdAt ?? DateTime.now(),
updatedAt: createdLicense.updatedAt ?? DateTime.now(),
companyName: createdLicense.companyName,
branchName: createdLicense.branchName,
assignedUserName: createdLicense.assignedUserName,
));
} catch (e) {
return Left(ServerFailure(message: e.toString()));
}
@@ -36,33 +71,29 @@ class CreateLicenseUseCase implements UseCase<LicenseDto, CreateLicenseParams> {
/// 라이선스 생성 파라미터
class CreateLicenseParams {
final int equipmentId;
final int companyId;
final String licenseType;
final DateTime startDate;
final String licenseKey;
final String productName;
final String? vendor;
final String? licenseType;
final int? userCount;
final DateTime purchaseDate;
final DateTime expiryDate;
final String? description;
final double? cost;
final double? purchasePrice;
final int companyId;
final int? branchId;
final String? remark;
CreateLicenseParams({
required this.equipmentId,
required this.companyId,
required this.licenseType,
required this.startDate,
required this.licenseKey,
required this.productName,
this.vendor,
this.licenseType,
this.userCount,
required this.purchaseDate,
required this.expiryDate,
this.description,
this.cost,
this.purchasePrice,
required this.companyId,
this.branchId,
this.remark,
});
Map<String, dynamic> toMap() {
return {
'equipment_id': equipmentId,
'company_id': companyId,
'license_type': licenseType,
'start_date': startDate.toIso8601String(),
'expiry_date': expiryDate.toIso8601String(),
'description': description,
'cost': cost,
};
}
}