Files
superport/lib/services/user_service.dart
JiWoong Sul 731dcd816b
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
refactor: Repository 패턴 적용 및 Clean Architecture 완성
## 주요 변경사항

### 🏗️ 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. 성능 최적화
2025-08-11 20:14:10 +09:00

274 lines
7.3 KiB
Dart

import 'package:injectable/injectable.dart';
import 'package:superport/data/datasources/remote/user_remote_datasource.dart';
import 'package:superport/data/models/common/paginated_response.dart';
import 'package:superport/data/models/user/user_dto.dart';
import 'package:superport/models/user_model.dart';
@lazySingleton
class UserService {
final UserRemoteDataSource _userRemoteDataSource;
UserService(this._userRemoteDataSource);
/// 사용자 목록 조회
Future<PaginatedResponse<User>> getUsers({
int page = 1,
int perPage = 20,
bool? isActive,
int? companyId,
String? role,
}) async {
try {
final response = await _userRemoteDataSource.getUsers(
page: page,
perPage: perPage,
isActive: isActive,
companyId: companyId,
role: role != null ? _mapRoleToApi(role) : null,
);
return PaginatedResponse<User>(
items: response.users.map((dto) => _userDtoToModel(dto)).toList(),
page: response.page,
size: response.perPage,
totalElements: response.total,
totalPages: response.totalPages,
first: response.page == 1,
last: response.page >= response.totalPages,
);
} catch (e) {
throw Exception('사용자 목록 조회 실패: ${e.toString()}');
}
}
/// 특정 사용자 조회
Future<User> getUser(int id) async {
try {
final dto = await _userRemoteDataSource.getUser(id);
return _userDtoToModel(dto);
} catch (e) {
throw Exception('사용자 조회 실패: ${e.toString()}');
}
}
/// 사용자 생성
Future<User> createUser({
required String username,
required String email,
required String password,
required String name,
required String role,
required int companyId,
int? branchId,
String? phone,
String? position,
}) async {
try {
final request = CreateUserRequest(
username: username,
email: email,
password: password,
name: name,
role: _mapRoleToApi(role),
companyId: companyId,
branchId: branchId,
phone: phone,
);
final dto = await _userRemoteDataSource.createUser(request);
return _userDtoToModel(dto);
} catch (e) {
throw Exception('사용자 생성 실패: ${e.toString()}');
}
}
/// 사용자 정보 수정
Future<User> updateUser(
int id, {
String? name,
String? email,
String? password,
String? phone,
int? companyId,
int? branchId,
String? role,
String? position,
}) async {
try {
final request = UpdateUserRequest(
name: name,
email: email,
password: password,
phone: phone,
companyId: companyId,
branchId: branchId,
role: role != null ? _mapRoleToApi(role) : null,
);
final dto = await _userRemoteDataSource.updateUser(id, request);
return _userDtoToModel(dto);
} catch (e) {
throw Exception('사용자 수정 실패: ${e.toString()}');
}
}
/// 사용자 삭제
Future<void> deleteUser(int id) async {
try {
await _userRemoteDataSource.deleteUser(id);
} catch (e) {
throw Exception('사용자 삭제 실패: ${e.toString()}');
}
}
/// 사용자 상태 변경
Future<User> changeUserStatus(int id, bool isActive) async {
try {
final request = ChangeStatusRequest(isActive: isActive);
final dto = await _userRemoteDataSource.changeUserStatus(id, request);
return _userDtoToModel(dto);
} catch (e) {
throw Exception('사용자 상태 변경 실패: ${e.toString()}');
}
}
/// 비밀번호 변경
Future<void> changePassword(
int id,
String currentPassword,
String newPassword,
) async {
try {
final request = ChangePasswordRequest(
currentPassword: currentPassword,
newPassword: newPassword,
);
await _userRemoteDataSource.changePassword(id, request);
} catch (e) {
throw Exception('비밀번호 변경 실패: ${e.toString()}');
}
}
/// 관리자가 사용자 비밀번호 재설정
Future<bool> resetPassword({
required int userId,
required String newPassword,
}) async {
try {
final request = ChangePasswordRequest(
currentPassword: '', // 관리자 재설정 시에는 현재 비밀번호 불필요
newPassword: newPassword,
);
await _userRemoteDataSource.changePassword(userId, request);
return true;
} catch (e) {
throw Exception('비밀번호 재설정 실패: ${e.toString()}');
}
}
/// 사용자 상태 토글 (활성화/비활성화)
Future<User> toggleUserStatus(int userId) async {
try {
// 현재 사용자 정보 조회
final currentUser = await getUser(userId);
// 상태 반전
final newStatus = !currentUser.isActive;
// 상태 변경 실행
return await changeUserStatus(userId, newStatus);
} catch (e) {
throw Exception('사용자 상태 토글 실패: ${e.toString()}');
}
}
/// 사용자명 중복 확인
Future<bool> checkDuplicateUsername(String username) async {
try {
return await _userRemoteDataSource.checkDuplicateUsername(username);
} catch (e) {
throw Exception('중복 확인 실패: ${e.toString()}');
}
}
/// 사용자 검색
Future<List<User>> searchUsers({
required String query,
int? companyId,
String? status,
String? permissionLevel,
int page = 1,
int perPage = 20,
}) async {
try {
final response = await _userRemoteDataSource.searchUsers(
query: query,
companyId: companyId,
status: status,
permissionLevel: permissionLevel != null
? _mapRoleToApi(permissionLevel)
: null,
page: page,
perPage: perPage,
);
return response.users.map((dto) => _userDtoToModel(dto)).toList();
} catch (e) {
throw Exception('사용자 검색 실패: ${e.toString()}');
}
}
/// DTO를 Model로 변환
User _userDtoToModel(UserDto dto) {
return User(
id: dto.id,
companyId: dto.companyId ?? 0,
branchId: dto.branchId,
name: dto.name,
role: _mapRoleFromApi(dto.role),
position: null, // API에서 position 정보가 없음
email: dto.email,
phoneNumbers: dto.phone != null
? [{'type': '기본', 'number': dto.phone!}]
: [],
username: dto.username,
isActive: dto.isActive,
createdAt: dto.createdAt,
updatedAt: dto.updatedAt,
);
}
/// 권한을 API 형식으로 변환
String _mapRoleToApi(String role) {
switch (role) {
case 'S':
return 'admin';
case 'M':
return 'staff';
default:
return 'staff';
}
}
/// API 권한을 앱 형식으로 변환
String _mapRoleFromApi(String? role) {
if (role == null) return 'M'; // null인 경우 기본값
switch (role) {
case 'admin':
return 'S';
case 'manager':
return 'M';
case 'staff':
return 'M';
default:
return 'M';
}
}
/// 전화번호 목록에서 첫 번째 전화번호 추출
String? getPhoneForApi(List<Map<String, String>> phoneNumbers) {
if (phoneNumbers.isEmpty) return null;
return phoneNumbers.first['number'];
}
}