4

我想我理解继承的概念,但显然我不理解,因为如果 XCTest 在其类中提供 setup 方法,为什么在 XCTestCase 中有 setup 方法?XCTestCase 是 XCTest 的子类,但在阅读了 Apple 文档后,两者之间看起来并没有什么不同。

import XCTest
@testable import FirstDemo

class FirstDemoTests: XCTestCase {

    override func setUp() {
        super.setUp()
        // Put setup code here. This method is called before the invocation of each test method in the class.
    }

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

    func testExample() {
        // This is an example of a functional test case.
        // Use XCTAssert and related functions to verify your tests produce the correct results.
    }

    func testPerformanceExample() {
        // This is an example of a performance test case.
        self.measure {
            // Put the code you want to measure the time of here.
        }
    }

}
4

2 回答 2

7

XCTest 是一个基类,具有空setUp()tearDown()方法。

XCTestCase 继承自 XCTest,因此它继承了相同的方法。它没有自己的实现。无论如何,它们只是什么都不做的方法。它们只是被定义以便我们可以覆盖它们。这是模板方法设计模式的一个例子。

为什么要在 XCTest 中定义这些方法,或者根本没有 XCTest?测试运行程序可以使用 XCTest 的任何子类,并且对 XCTestCase 一无所知。这可能使我们能够定义除 XCTestCase 子类之外的定义测试套件的新方法,同时仍与 XCTest 框架集成。

有关 xUnit 架构的更多信息,请参阅JUnit: A Cook's Tour

于 2017-03-31T04:07:18.830 回答
2

您可以覆盖子类中的方法以向超类添加更多功能。

您可以完全覆盖超类的实现,也可以调用super.setUp()覆盖方法以在您添加到覆盖中的任何内容之前执行超类的实现。

在测试中,通常会覆盖 XCTestCase 子类setUp()以添加该类的通用设置操作,而超类的实现将为您的整个套件执行通用设置操作。例如,一个 XCTestCase 子类将有一个setUp()启动应用程序的方法,该类的子类将有一个setUp()调用其超类设置的方法,然后在该类中初始化被测区域。在单元测试中,这可能意味着创建一个对象,或者在 UI 测试中,这可能意味着导航到应用程序中的特定页面。

setUp()如果您希望在测试的设置阶段发生某些事情,您需要在子类化 XCTestCase 时覆盖它,因为默认情况下它有一个空实现。

XCTestsetUp()定义了一个方法(即使它什么都不做)的原因是为了使 XCTest 上的其他方法能够调用setUp(),例如,invokeTest()在 XCTestCase 调用上setUp()。这使框架的用户能够通过覆盖setUp()方法来指定要在每个测试开始时完成的操作,这不需要任何测试调用逻辑,而不是必须用其中的其他逻辑覆盖方法,我们不一定会这样做在重写方法时知道并且可能无法正确实现或根本不实现。该模型setUp()为您提供了一个安全的地方,您可以完全按照您的选择执行代码,而无需担心您是否破坏了整个测试框架。

于 2017-03-30T08:56:09.637 回答