如何在Alamofire响应上XCTAssertEqual?

时间:2018-08-24 12:44:43

标签: ios swift unit-testing testing alamofire

我正在尝试使用Alamofire作为其余框架对我的API进行单元测试。我在Podfile中添加了pod依赖项和所有内容,关于丢失模块或其他内容没有错误。目前作为示例,我试图访问google主页,并在响应时尝试使用 XCRAssertEqual 评估响应代码。如果我在视图控制器中使用该函数,则该函数运行良好,但在测试类中却无法运行。不工作是指在两种情况下都给出 true ,因为两个响应代码都等于 .success .filure 。这可能是什么原因?下面是我定义功能的TestClass和使用该功能的测试用例类

import Foundation
import Alamofire

class TestingClass {

    private init(){

    }

    static let sharedInstance = TestingClass()

    func getSquare(number:Int)->Int{
        return number * number
    }

    func getGoogleResponse(completion:@escaping (_ rest:Int)->Void){

        Alamofire.request("https://google.com").responseString { response in
            var result = -1
            switch response.result {
            case .success:
                result = 0
            case .failure(let error):
                result = 1
            }
            completion(result)
        }

    }

}

测试用例类

import XCTest
@testable import MyApp

class MyAppTests: XCTestCase {

    func testSquare(){
        XCTAssertEqual(TestingClass.sharedInstance.getSquare(number:2),6)
    }

    func testGoogle(){
        TestingClass.sharedInstance.getGoogleResponse { (res) in
            print("ANURAN \(res)")
            XCTAssertEqual(res, 0)
        }
    }
}

第一个测试用例工作正常,因为它与Alamofire无关,但是第二个从未失败。

1 个答案:

答案 0 :(得分:0)

尽管我知道Alamofire请求是异步的,但我没有想到它可能无法通过我的测试用例。因此,您应该做的就是等待响应。为此,您需要使用 XCTestCase 随附的期望。因此,重写的代码将如下所示:

import XCTest
@testable import MyApp

class MyAppTests: XCTestCase {

    func testSquare(){
        XCTAssertEqual(TestingClass.sharedInstance.getSquare(number:2),6)
    }

    func testGoogle(){
        let expectation = self.expectation(description: "Hitting Google")
        var result:Int?
        TestingClass.sharedInstance.getGoogleResponse { (res) in
            print("ANURAN \(res)")
            result=res
            expectation.fulfill()
        }
        wait(for: [expectation], timeout: 30)
        XCTAssertEqual(result!, 1)
    }
}