53 lines
2.3 KiB
Swift
53 lines
2.3 KiB
Swift
import Foundation
|
|
|
|
enum APIError: Error, LocalizedError {
|
|
case unauthorized, networkError, decodingError
|
|
var errorDescription: String? {
|
|
switch self {
|
|
case .unauthorized: return "Неверный email или пароль"
|
|
case .networkError: return "Ошибка сети"
|
|
case .decodingError: return "Ошибка данных"
|
|
}
|
|
}
|
|
}
|
|
|
|
class APIService {
|
|
static let shared = APIService()
|
|
let baseURL = "https://health.digital-home.site"
|
|
|
|
func login(email: String, password: String) async throws -> LoginResponse {
|
|
let url = URL(string: "\(baseURL)/api/auth/login")!
|
|
var req = URLRequest(url: url)
|
|
req.httpMethod = "POST"
|
|
req.setValue("application/json", forHTTPHeaderField: "Content-Type")
|
|
req.httpBody = try JSONEncoder().encode(LoginRequest(email: email, password: password))
|
|
let (data, response) = try await URLSession.shared.data(for: req)
|
|
guard let r = response as? HTTPURLResponse, r.statusCode == 200 else { throw APIError.unauthorized }
|
|
return try JSONDecoder().decode(LoginResponse.self, from: data)
|
|
}
|
|
|
|
func getProfile(token: String) async throws -> ProfileResponse {
|
|
let url = URL(string: "\(baseURL)/api/profile")!
|
|
var req = URLRequest(url: url)
|
|
req.setValue("Bearer \(token)", forHTTPHeaderField: "Authorization")
|
|
let (data, _) = try await URLSession.shared.data(for: req)
|
|
return try JSONDecoder().decode(ProfileResponse.self, from: data)
|
|
}
|
|
|
|
func getReadiness(token: String) async throws -> ReadinessResponse {
|
|
let url = URL(string: "\(baseURL)/api/health/readiness")!
|
|
var req = URLRequest(url: url)
|
|
req.setValue("Bearer \(token)", forHTTPHeaderField: "Authorization")
|
|
let (data, _) = try await URLSession.shared.data(for: req)
|
|
return try JSONDecoder().decode(ReadinessResponse.self, from: data)
|
|
}
|
|
|
|
func getLatest(token: String) async throws -> LatestHealthResponse {
|
|
let url = URL(string: "\(baseURL)/api/health/latest")!
|
|
var req = URLRequest(url: url)
|
|
req.setValue("Bearer \(token)", forHTTPHeaderField: "Authorization")
|
|
let (data, _) = try await URLSession.shared.data(for: req)
|
|
return try JSONDecoder().decode(LatestHealthResponse.self, from: data)
|
|
}
|
|
}
|