小编典典

UIApplication.sharedApplication()。delegate作为AppDelegate导致EXC_BAD_ACCESS在快速单元测试中使用它

swift

我正在尝试快速使用单元测试来测试一些实际的应用程序行为。当我尝试 从测试函数中将de
强制转换UIApplicationDelegate为我的代码时AppDelegate,出现了EXC_BAD_ACCESS异常。测试代码下方:

func testGetAppDelegate(){

    let someDelegate = UIApplication.sharedApplication().delegate
    let appDelegate =  someDelegate as AppDelegate //EXC_BAD_ACCESS here
    XCTAssertNotNil(appDelegate, "failed to get cast pointer")
}

AppDelegate类设置为public,因此从访问级别来看这不是问题。

在同一测试目标中使用Objective-C可以正常工作。下面的简单说明:

AppDelegate *appDelegate = (AppDelegate *)[[UIApplication sharedApplication] delegate];

调试器说someDelegate是Builtin.RawPointer。不知道那是什么,我对低级细节不熟悉。


阅读 405

收藏
2020-07-07

共1个答案

小编典典

我认为您AppDelegate.swift已经将测试目标成员添加了。

当你这样做,AppName.AppDelegateAppNameTests.AppDelegate成为不同类别。然后,UIApplication.sharedApplication().delegate返回AppName.AppDelegate实例,但是您尝试将其强制转换为AppNameTests.AppDelegate类型。这导致EXC_BAD_ACCESS

取而代之的是,您必须从应用程序模块中导入它。

import UIKit
import XCTest
import AppName // <- HERE

class AppNameTests: XCTestCase {
   // tests, tests...
}

并且,AppDelegate必须声明类及其方法和属性public对测试模块可见。

import UIKit

@UIApplicationMain
public class AppDelegate: UIResponder, UIApplicationDelegate {

    public var window: UIWindow?

    public func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {
        // Override point for customization after application launch.
        return true
    }

    // ...

同样,请确保AppDelegate.swift从测试目标成员中删除。

2020-07-07