사용하지 않는 파일 정리 전 백업 (Phase 10 완료 후 상태)
This commit is contained in:
182
lib/data/repositories/zipcode_repository.dart
Normal file
182
lib/data/repositories/zipcode_repository.dart
Normal file
@@ -0,0 +1,182 @@
|
||||
import 'package:dio/dio.dart';
|
||||
import 'package:injectable/injectable.dart';
|
||||
import 'package:superport/core/constants/api_endpoints.dart';
|
||||
import 'package:superport/data/datasources/remote/api_client.dart';
|
||||
import 'package:superport/data/models/zipcode_dto.dart';
|
||||
|
||||
abstract class ZipcodeRepository {
|
||||
/// 우편번호 검색 (페이지네이션 지원)
|
||||
Future<ZipcodeListResponse> search({
|
||||
int page = 1,
|
||||
int limit = 20,
|
||||
String? search,
|
||||
String? sido,
|
||||
String? gu,
|
||||
});
|
||||
|
||||
/// 우편번호로 정확한 주소 조회
|
||||
Future<ZipcodeDto?> getByZipcode(int zipcode);
|
||||
|
||||
/// 시도별 구 목록 조회
|
||||
Future<List<String>> getGuBySido(String sido);
|
||||
|
||||
/// 전체 시도 목록 조회
|
||||
Future<List<String>> getAllSido();
|
||||
}
|
||||
|
||||
@Injectable(as: ZipcodeRepository)
|
||||
class ZipcodeRepositoryImpl implements ZipcodeRepository {
|
||||
final ApiClient _apiClient;
|
||||
|
||||
ZipcodeRepositoryImpl(this._apiClient);
|
||||
|
||||
@override
|
||||
Future<ZipcodeListResponse> search({
|
||||
int page = 1,
|
||||
int limit = 20,
|
||||
String? search,
|
||||
String? sido,
|
||||
String? gu,
|
||||
}) async {
|
||||
try {
|
||||
final queryParams = <String, dynamic>{
|
||||
'page': page,
|
||||
'limit': limit,
|
||||
};
|
||||
|
||||
if (search != null && search.isNotEmpty) {
|
||||
queryParams['search'] = search;
|
||||
}
|
||||
if (sido != null && sido.isNotEmpty) {
|
||||
queryParams['sido'] = sido;
|
||||
}
|
||||
if (gu != null && gu.isNotEmpty) {
|
||||
queryParams['gu'] = gu;
|
||||
}
|
||||
|
||||
final response = await _apiClient.dio.get(
|
||||
ApiEndpoints.zipcodes,
|
||||
queryParameters: queryParams,
|
||||
);
|
||||
|
||||
// API 응답 구조에 따라 파싱
|
||||
if (response.data is Map<String, dynamic>) {
|
||||
// 페이지네이션 응답 형식
|
||||
return ZipcodeListResponse.fromJson(response.data);
|
||||
} else if (response.data is List) {
|
||||
// 배열 직접 반환 형식
|
||||
final zipcodes = (response.data as List)
|
||||
.map((json) => ZipcodeDto.fromJson(json))
|
||||
.toList();
|
||||
return ZipcodeListResponse(
|
||||
items: zipcodes,
|
||||
totalCount: zipcodes.length,
|
||||
currentPage: page,
|
||||
totalPages: 1,
|
||||
);
|
||||
} else {
|
||||
throw Exception('예상치 못한 응답 형식입니다.');
|
||||
}
|
||||
} on DioException catch (e) {
|
||||
throw _handleError(e);
|
||||
}
|
||||
}
|
||||
|
||||
@override
|
||||
Future<ZipcodeDto?> getByZipcode(int zipcode) async {
|
||||
try {
|
||||
final response = await _apiClient.dio.get(
|
||||
ApiEndpoints.zipcodes,
|
||||
queryParameters: {
|
||||
'zipcode': zipcode,
|
||||
'limit': 1,
|
||||
},
|
||||
);
|
||||
|
||||
if (response.data is Map<String, dynamic>) {
|
||||
final listResponse = ZipcodeListResponse.fromJson(response.data);
|
||||
return listResponse.items.isNotEmpty ? listResponse.items.first : null;
|
||||
}
|
||||
|
||||
return null;
|
||||
} on DioException catch (e) {
|
||||
throw _handleError(e);
|
||||
}
|
||||
}
|
||||
|
||||
@override
|
||||
Future<List<String>> getGuBySido(String sido) async {
|
||||
try {
|
||||
final response = await _apiClient.dio.get(
|
||||
ApiEndpoints.zipcodes,
|
||||
queryParameters: {
|
||||
'sido': sido,
|
||||
'limit': 1000, // 충분히 큰 값으로 모든 구 가져오기
|
||||
},
|
||||
);
|
||||
|
||||
if (response.data is Map<String, dynamic>) {
|
||||
final listResponse = ZipcodeListResponse.fromJson(response.data);
|
||||
|
||||
// 중복 제거하고 구 목록만 추출
|
||||
final guSet = <String>{};
|
||||
for (final zipcode in listResponse.items) {
|
||||
guSet.add(zipcode.gu);
|
||||
}
|
||||
|
||||
final guList = guSet.toList()..sort();
|
||||
return guList;
|
||||
}
|
||||
|
||||
return [];
|
||||
} on DioException catch (e) {
|
||||
throw _handleError(e);
|
||||
}
|
||||
}
|
||||
|
||||
@override
|
||||
Future<List<String>> getAllSido() async {
|
||||
try {
|
||||
final response = await _apiClient.dio.get(
|
||||
ApiEndpoints.zipcodes,
|
||||
queryParameters: {
|
||||
'limit': 1000, // 충분히 큰 값으로 모든 시도 가져오기
|
||||
},
|
||||
);
|
||||
|
||||
if (response.data is Map<String, dynamic>) {
|
||||
final listResponse = ZipcodeListResponse.fromJson(response.data);
|
||||
|
||||
// 중복 제거하고 시도 목록만 추출
|
||||
final sidoSet = <String>{};
|
||||
for (final zipcode in listResponse.items) {
|
||||
sidoSet.add(zipcode.sido);
|
||||
}
|
||||
|
||||
final sidoList = sidoSet.toList()..sort();
|
||||
return sidoList;
|
||||
}
|
||||
|
||||
return [];
|
||||
} on DioException catch (e) {
|
||||
throw _handleError(e);
|
||||
}
|
||||
}
|
||||
|
||||
Exception _handleError(DioException e) {
|
||||
switch (e.type) {
|
||||
case DioExceptionType.connectionTimeout:
|
||||
case DioExceptionType.sendTimeout:
|
||||
case DioExceptionType.receiveTimeout:
|
||||
return Exception('연결 시간이 초과되었습니다.');
|
||||
case DioExceptionType.badResponse:
|
||||
final statusCode = e.response?.statusCode;
|
||||
final message = e.response?.data?['message'] ?? '서버 오류가 발생했습니다.';
|
||||
return Exception('[$statusCode] $message');
|
||||
case DioExceptionType.connectionError:
|
||||
return Exception('네트워크 연결을 확인해주세요.');
|
||||
default:
|
||||
return Exception('알 수 없는 오류가 발생했습니다.');
|
||||
}
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user