Xcode 6.1 中的失败初始化器

声明:本页面是StackOverFlow热门问题的中英对照翻译,遵循CC BY-SA 4.0协议,如果您需要使用它,必须同样遵循CC BY-SA许可,注明原文地址和作者信息,同时你必须将它归于原作者(不是我):StackOverFlow 原文地址: http://stackoverflow.com/questions/26427007/
Warning: these are provided under cc-by-sa 4.0 license. You are free to use/share it, But you must attribute it to the original authors (not me): StackOverFlow

提示:将鼠标放在中文语句上可以显示对应的英文。显示中英文
时间:2020-09-15 05:54:08  来源:igfitidea点击:

Failable initializer in Xcode 6.1

iosxcodeswift

提问by Artem Abramov

I have a custom UITableViewCel (nothing fancy) that works perfectly on Xcode 6.0. When I try to compile it with Xcode 6.1 the compiler shows the following error:

我有一个在 Xcode 6.0 上完美运行的自定义 UITableViewCel(没什么特别的)。当我尝试使用 Xcode 6.1 编译它时,编译器显示以下错误:

A non-failable initializer cannot chain to failable initializer 'init(style:reuseIdentifier:)' written with 'init?'

A non-failable initializer cannot chain to failable initializer 'init(style:reuseIdentifier:)' written with 'init?'

Here is the code of the cell:

这是单元格的代码:

class MainTableViewCell: UITableViewCell {

    override init(style: UITableViewCellStyle, reuseIdentifier: String?) {
        super.init(style: style, reuseIdentifier: reuseIdentifier)
        self.setup()
    }

    required init(coder aDecoder: NSCoder) {
        super.init(coder: aDecoder)
        self.setup()
    }

    func setup() {<...>}
}

As a solution the compiler proposes Propagate the failure with 'init?':

作为解决方案,编译器提出Propagate the failure with 'init?'

override init?(style: UITableViewCellStyle, reuseIdentifier: String?) {
    super.init(style: style, reuseIdentifier: reuseIdentifier)
    self.setup()
}

I'm a bit confused. Is it possible to elaborate what is a (non)failable initialiserand how it should be used and overrided?

我有点困惑。是否可以详细说明什么是 a(non)failable initialiser以及应该如何使用和覆盖它?

回答by Nate Cook

With Swift 1.1 (in Xcode 6.1) Apple introduced failable initializers-- that is, initializers that can return nilinstead of an instance. You define a failable initializer by putting a ?after the init. The initializer you're trying to override changed its signature between Xcode 6.0 and 6.1:

在 Swift 1.1(在 Xcode 6.1 中)Apple 引入了可失败的初始化器——也就是说,可以返回nil而不是实例的初始化器。您可以通过?init. 您尝试覆盖的初始化程序在 Xcode 6.0 和 6.1 之间更改了其签名:

// Xcode 6.0
init(style: UITableViewCellStyle, reuseIdentifier: String?)

// Xcode 6.1
init?(style: UITableViewCellStyle, reuseIdentifier: String?)

So to override you'll need to make the same change to your initializer, and make sure to handle the nilcase (by assigning to an optional) when creating a cell that way.

因此,要覆盖,您需要对初始值设定项进行相同的更改,并确保在以nil这种方式创建单元格时处理这种情况(通过分配给可选项)。

You can read more about failable initializers in Apple's documentation.

您可以在 Apple 的文档 中阅读有关可失败初始化程序的更多信息。