如何使用@objc标记传递swift枚举

时间:2014-06-10 12:04:11

标签: ios enums swift

我需要定义一个可以在使用某些Objective-c类型的类中调用的协议

但这样做并不奏效:

enum NewsCellActionType: Int {
    case Vote = 0
    case Comments
    case Time
}

@objc protocol NewsCellDelegate {
    func newsCellDidSelectButton(cell: NewsCell, actionType: NewsCellActionType)
}

你得到他的错误

Swift enums cannot be represented in Objective-C

如果我没有将@objc标记放在我的协议上,那么只要在采用协议并从Objective-C类型继承的类中调用它就会使应用程序崩溃class(比如UIViewController)。

所以我的问题是,我应该如何使用@objc标签声明并传递我的枚举?

2 个答案:

答案 0 :(得分:47)

Apple今天宣布Swift 1.2(包含在xcode 6.3中)将支持将enums暴露给objective-c

https://developer.apple.com/swift/blog/

enter image description here

答案 1 :(得分:7)

Swift枚举与Obj-C(或C)枚举非常不同,它们不能直接传递给Obj-C。

作为一种变通方法,您可以使用Int参数声明您的方法。

func newsCellDidSelectButton(cell: NewsCell, actionType: Int)

并将其作为NewsCellActionType.Vote.toRaw()传递。您将无法访问Obj-C中的枚举名称,这会使代码变得更加困难。

更好的解决方案可能是在Obj-C中实现枚举(例如,在您的briding标头中),因为它可以在Swift中自动访问,并且可以将其作为参数传递。

修改

不需要添加@objc只是为了将它用于Obj-C类。如果您的代码是纯Swift,则可以使用枚举而不会出现问题,请参阅以下示例作为证明:

enum NewsCellActionType : Int {
    case Vote = 0
    case Comments
    case Time
}

protocol NewsCellDelegate {
    func newsCellDidSelectButton(cell: UITableViewCell?, actionType: NewsCellActionType    )
}

@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, NewsCellDelegate {

    var window: UIWindow?

    func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: NSDictionary?) -> Bool {
        self.window = UIWindow(frame: UIScreen.mainScreen().bounds)

        self.window!.backgroundColor = UIColor.whiteColor()
        self.window!.makeKeyAndVisible()

        test()

        return true;
    }

    func newsCellDidSelectButton(cell: UITableViewCell?, actionType: NewsCellActionType) {
        println(actionType.toRaw());
    }

    func test() {
        self.newsCellDidSelectButton(nil, actionType: NewsCellActionType.Vote)
    }
}