如何等待直到从使用Alamofire的被测组件获得响应? -Xcode

时间:2019-04-07 13:16:03

标签: swift unit-testing cocoapods xcode10.2

我有一个登录视图控制器,该用户Almofire库可以获取响应。我在该控制器上进行单元测试,但测试始终失败。我认为是因为需要时间做出回应。

我的测试用例:

override func setUp() {

    super.setUp()
    continueAfterFailure = false
    let vc = UIStoryboard(name: "Main", bundle: nil)
    controllerUnderTest = vc.instantiateViewController(withIdentifier: "LoginVC") as! LoginViewController
    controllerUnderTest.loadView()

}

override func tearDown() {
    // Put teardown code here. This method is called after the invocation of each test method in the class.
    controllerUnderTest = nil
    super.tearDown()
}

func testLoginWithValidUserInfo() {
    controllerUnderTest.email?.text = "raghad"
    controllerUnderTest.pass?.text = "1234"
    controllerUnderTest.loginButton?.sendActions(for: .touchUpInside)
    XCTAssertEqual(controllerUnderTest.lblValidationMessage?.text , "logged in successfully")
}

我尝试使用:

  

waitForExpectations(超时:60,处理程序:无)

但是我得到了这个错误:

  

捕获到“ NSInternalInconsistencyException”

登录演示者中的almofire功能:

    func sendRequest(withParameters parameters: [String : String]) {
    Alamofire.request(LOGINURL, method: .post, parameters: parameters).validate ().responseJSON { response in
        debugPrint("new line : \(response)" )
        switch response.result {
        case .success(let value):
            let userJSON = JSON(value)
            self.readResponse(data: userJSON)
        case .failure(let error):
            print("Error \(String(describing: error))")
            self.delegate.showMessage("* Connection issue ")

        }
        self.delegate.removeLoadingScreen()
        //firebase log in
        Auth.auth().signIn(withEmail: parameters["email"]!, password: parameters["pass"]!) { [weak self] user, error in
            //guard let strongSelf = self else { return }
            if(user != nil){
                print("login with firebase")

            }
            else{
                print("eroor in somthing")
            }
            if(error != nil){
                print("idon now")
            }
            // ...
        }
    }

}

func readResponse(data: JSON) {
    switch data["error"].stringValue  {
    case "true":
        self.delegate.showMessage("* Invalid user name or password")
    case "false":
        if  data["state"].stringValue=="0" {
            self.delegate.showMessage("logged in successfully")

        }else {
            self.delegate.showMessage("* Inactive account")
        }
    default:

        self.delegate.showMessage("* Connection issue")

    }
}

如何解决此问题? :(

2 个答案:

答案 0 :(得分:1)

@Raghad ak,您好,欢迎来到Stack Overflow。

您对防止测试成功的时间猜测是正确的。

网络代码是异步的。测试在您的登录按钮上调用.sendActions(for: .touchUpInside)后,它将移至下一行,而没有给回调提供运行的机会。

就像@ajeferson的答案暗示的那样,从长远来看,我建议将Alamofire调用放在服务类或协议后面,以便您可以将它们替换为double测试。

除非编写用于在现实世界中测试系统行为的 integration 测试,否则打到网络对您的危害大于弊。 This post详细介绍了为什么会这样。

说了这么多,这是让您的考试通过的快速方法。基本上,您需要找到一种方法来让测试等待异步代码完成,并且可以通过改进的异步期望来做到这一点。

在测试中,您可以执行以下操作:

expectation(
  for: NSPredicate(
    block: { input, _ -> Bool in
      guard let label = input as? UILabel else { return false }
        return label.text == "logged in successfully"
      }
    ),
    evaluatedWith: controllerUnderTest.lblValidationMessage,
    handler: .none
)

controllerUnderTest.loginButton?.sendActions(for: .touchUpInside)

waitForExpectations(timeout: 10, handler: nil)

该期望将NSPredicate循环运行,并且仅在谓词返回true时实现。

答案 1 :(得分:0)

您必须以某种方式向您发出可以继续进行安全测试(即符合预期)的信号。理想的方法是解耦Alamofire代码并在测试时模拟其行为。但是,为了回答您的问题,您可能需要执行以下操作。

在您的视图控制器中:

func sendRequest(withParameters parameters: [String : String], completionHandler: (() -> Void)?) {

  ...

  Alamofire.request(LOGINURL, method: .post, parameters: parameters).validate ().responseJSON { response in

    ...

    // Put this wherever appropriate inside the responseJSON closure
    completionHandler?()
  }
}

然后在您的测试中:

func testLoginWithValidUserInfo() {
    controllerUnderTest.email?.text = "raghad"
    controllerUnderTest.pass?.text = "1234"
    controllerUnderTest.loginButton?.sendActions(for: .touchUpInside)
    let expectation = self.expectation(description: "logged in successfully)
    waitForExpectations(timeout: 60, handler: nil)

    controllerUnderTest.sendRequest(withParameters: [:]) {
      expectation.fulfill()
    }

    XCTAssertEqual(controllerUnderTest.lblValidationMessage?.text , "logged in successfully")
}

我知道您在单击按钮和调用sendRequest函数之间有一些中间功能,但这仅是您了解的主意。希望对您有帮助!