[ios] 신속한 3에서 자신의 오류 코드 생성

내가 달성하려는 URLSession것은 신속한 3 요청을 수행하는 것 입니다. 별도의 함수에서이 작업을 수행하고 (GET 및 POST에 대한 코드를 별도로 작성하지 않도록) 종료 URLSessionDataTask에서 성공 및 실패를 반환 하고 처리합니다. 이런 식으로

let task = URLSession.shared.dataTask(with: request) { (data, uRLResponse, responseError) in

     DispatchQueue.main.async {

          var httpResponse = uRLResponse as! HTTPURLResponse

          if responseError != nil && httpResponse.statusCode == 200{

               successHandler(data!)

          }else{

               if(responseError == nil){
                     //Trying to achieve something like below 2 lines
                     //Following line throws an error soo its not possible
                     //var errorTemp = Error(domain:"", code:httpResponse.statusCode, userInfo:nil)

                     //failureHandler(errorTemp)

               }else{

                     failureHandler(responseError!)
               }
          }
     }
}

이 함수에서 오류 조건을 처리하고 싶지 않고 응답 코드를 사용하여 오류를 생성하고이 함수가 호출 될 때마다 처리하기 위해이 오류를 반환하고 싶습니다. 아무도 이것에 대해 어떻게 나에게 말할 수 있습니까? 아니면 이러한 상황을 처리하는 “신속한”방법이 아닙니까?



답변

LocalizedError다음 값 을 사용하여 Swift 프로토콜을 준수하는 프로토콜을 만들 수 있습니다 .

protocol OurErrorProtocol: LocalizedError {

    var title: String? { get }
    var code: Int { get }
}

그러면 다음과 같은 구체적인 오류를 만들 수 있습니다.

struct CustomError: OurErrorProtocol {

    var title: String?
    var code: Int
    var errorDescription: String? { return _description }
    var failureReason: String? { return _description }

    private var _description: String

    init(title: String?, description: String, code: Int) {
        self.title = title ?? "Error"
        self._description = description
        self.code = code
    }
}


답변

귀하의 경우 오류는 Error인스턴스 생성을 시도하고 있다는 것 입니다. ErrorSwift 3에서 사용자 지정 오류를 정의하는 데 사용할 수있는 프로토콜입니다. 이 기능은 특히 순수한 Swift 애플리케이션이 다른 OS에서 실행되는 데 적합합니다.

iOS 개발에서 NSError클래스는 계속 사용할 수 있으며 Error프로토콜을 준수 합니다.

따라서이 오류 코드를 전파하는 것이 목적이라면

var errorTemp = Error(domain:"", code:httpResponse.statusCode, userInfo:nil)

var errorTemp = NSError(domain:"", code:httpResponse.statusCode, userInfo:nil)

그렇지 않으면 사용자 지정 오류 유형을 만드는 방법에 대한 Sandeep Bhandari답변을 확인하십시오.


답변

오류를 처리하기 위해 열거 형을 만들 수 있습니다. 🙂

enum RikhError: Error {
    case unknownError
    case connectionError
    case invalidCredentials
    case invalidRequest
    case notFound
    case invalidResponse
    case serverError
    case serverUnavailable
    case timeOut
    case unsuppotedURL
 }

그런 다음 enum 내부에 메서드를 만들어 http 응답 코드를 받고 해당 오류를 반환합니다. 🙂

static func checkErrorCode(_ errorCode: Int) -> RikhError {
        switch errorCode {
        case 400:
            return .invalidRequest
        case 401:
            return .invalidCredentials
        case 404:
            return .notFound
        //bla bla bla
        default:
            return .unknownError
        }
    }

마지막으로 RikhError 유형의 단일 매개 변수를 허용하도록 실패 블록을 업데이트하십시오.

기존 Objective-C 기반 Object Oriented 네트워크 모델을 Swift3를 사용하여 현대적인 Protocol Oriented 모델로 재구성하는 방법에 대한 자세한 자습서가 있습니다 https://learnwithmehere.blogspot.in 살펴보세요 🙂

도움이되기를 바랍니다 🙂


답변

NSError 객체를 사용해야합니다.

let error = NSError(domain:"", code:401, userInfo:[ NSLocalizedDescriptionKey: "Invalid access token"])

그런 다음 NSError를 Error 객체로 캐스팅합니다.


답변

세부

  • Xcode 버전 10.2.1 (10E1001)
  • 스위프트 5

앱의 구성 오류 해결 방법

import Foundation

enum AppError {
    case network(type: Enums.NetworkError)
    case file(type: Enums.FileError)
    case custom(errorDescription: String?)

    class Enums { }
}

extension AppError: LocalizedError {
    var errorDescription: String? {
        switch self {
            case .network(let type): return type.localizedDescription
            case .file(let type): return type.localizedDescription
            case .custom(let errorDescription): return errorDescription
        }
    }
}

// MARK: - Network Errors

extension AppError.Enums {
    enum NetworkError {
        case parsing
        case notFound
        case custom(errorCode: Int?, errorDescription: String?)
    }
}

extension AppError.Enums.NetworkError: LocalizedError {
    var errorDescription: String? {
        switch self {
            case .parsing: return "Parsing error"
            case .notFound: return "URL Not Found"
            case .custom(_, let errorDescription): return errorDescription
        }
    }

    var errorCode: Int? {
        switch self {
            case .parsing: return nil
            case .notFound: return 404
            case .custom(let errorCode, _): return errorCode
        }
    }
}

// MARK: - FIle Errors

extension AppError.Enums {
    enum FileError {
        case read(path: String)
        case write(path: String, value: Any)
        case custom(errorDescription: String?)
    }
}

extension AppError.Enums.FileError: LocalizedError {
    var errorDescription: String? {
        switch self {
            case .read(let path): return "Could not read file from \"\(path)\""
            case .write(let path, let value): return "Could not write value \"\(value)\" file from \"\(path)\""
            case .custom(let errorDescription): return errorDescription
        }
    }
}

용법

//let err: Error = NSError(domain:"", code: 401, userInfo: [NSLocalizedDescriptionKey: "Invaild UserName or Password"])
let err: Error = AppError.network(type: .custom(errorCode: 400, errorDescription: "Bad request"))

switch err {
    case is AppError:
        switch err as! AppError {
        case .network(let type): print("Network ERROR: code \(type.errorCode), description: \(type.localizedDescription)")
        case .file(let type):
            switch type {
                case .read: print("FILE Reading ERROR")
                case .write: print("FILE Writing ERROR")
                case .custom: print("FILE ERROR")
            }
        case .custom: print("Custom ERROR")
    }
    default: print(err)
}


답변

LocalizedError 구현 :

struct StringError : LocalizedError
{
    var errorDescription: String? { return mMsg }
    var failureReason: String? { return mMsg }
    var recoverySuggestion: String? { return "" }
    var helpAnchor: String? { return "" }

    private var mMsg : String

    init(_ description: String)
    {
        mMsg = description
    }
}

예를 들어, 답변 중 하나에 설명 된대로 단순히 Error를 구현하면 실패하고 (적어도 Swift 3에서는) localizedDescription을 호출하면 “The operation could not be completed. (. StringError error 1)”라는 문자열이 생성됩니다. “


답변

 let error = NSError(domain:"", code:401, userInfo:[ NSLocalizedDescriptionKey: "Invaild UserName or Password"]) as Error
            self.showLoginError(error)

NSError 객체를 생성하고 그것을 Error로 형변환하고, 어디서나 보여줍니다.

private func showLoginError(_ error: Error?) {
    if let errorObj = error {
        UIAlertController.alert("Login Error", message: errorObj.localizedDescription).action("OK").presentOn(self)
    }
}