1

test()在让方法运行之前,我需要执行多个调用。我有一个完成块,我正在使用waitForExpectations(). 由于有不止一个异步调用,我使用了一个计数器。我expectation.fulfill()只在计数器达到调用次数时才让这种情况发生。

override func setUp() {
    super.setUp()

    let exp = expectation(description: "waitForSetUp")
    var counter = 0

    // Issue an async request
    self.addEventToCalendar(title: "Test1", description: "Description test1", startDate: NSDate().addingTimeInterval(-36000), endDate: NSDate()){(success, error) in
        if (success) && (error == nil) {
            counter = counter + 1
            if(counter == 2){exp.fulfill()}
        }
    }

    self.addEventToCalendar(title: "Test2", description: "Description test2", startDate: NSDate(), endDate: NSDate().addingTimeInterval(36000)){(success, error) in
        if (success) && (error == nil) {
            counter = counter + 1
            if(counter == 2){exp.fulfill()}
        }
    }

    waitForExpectations(timeout: 40, handler: nil)        
}

这种结构不起作用。该test()方法有时会在调用返回之前运行(并非总是如此)。

如何setUp()等待返回多个异步调用?

4

1 回答 1

1

我有一个类似的案例。我最终做的解决方案是调用几个函数,它们增加了对我的先决条件的期望,并将期望的超时设置为一个合理的值。在期望的完成处理程序中,我触发了我的设置算法的下一步。在所有初步步骤都通过后,我开始实际的测试逻辑。

附加到 Apple Docs 的链接。

编辑:请参阅下面的示例代码:

class CommonTests: XCTestCase {
    var validate: XCTestExpectation? = nil

    func testMytest() {        
      validate(completion: {
        loadSomeStuff(completion: { (list: [Stuff]?) in
          // actual test
        }
      })
    }

    func validate(completion: @escaping ()->()) {
        self.validateExpectation = self.expectation(description: "Setup")
        // async operation can be fired here
        // or if already started from somewhere else just wait for it to complete


        self.waitForExpectations(timeout: 60) { (error: Error?) in
            XCTAssert((error == nil), error?.localizedDescription ?? "Failed with unknown error")
            completion()
        }
    }

    func validateAsyncCompleted() {
      self.validateExpectation?.fulfill()
    }

    func loadStuff(completion: @escaping ([Stuff]?)->()) {

      // possible place for assertion or some other checks

      let expectation = self.expectation(description: "loading")
      DispatchQueue.global().async {

        let result: [Stuff]? = nil
        // load operation

        expectation.fulfill()
        completion(result)
      }

      self.waitForExpectations(timeout: 90) {  (error: Error?) in
        XCTAssert((error == nil), error?.localizedDescription ?? "load - failed with unknown error")
      }
    }
}

注意:期望有两种方法,第一个期望保存在一个变量中,因此如果需要可以从另一个函数中实现,另一个是在函数体中本地创建并从闭包中实现。

于 2017-02-16T15:13:49.547 回答