swift便利init和泛型类

时间:2017-05-19 09:40:49

标签: swift generics init

我在创建一个方便的init方法时遇到问题,然后在具有泛型类型参数的类上调用指定的init。这是swift 3.1 XCode版本8.3.2(8E2002)游乐场

protocol A {
    var items: [String] { get set }
    func doSomething()
}

struct Section : A {
    var items: [String] = []

    func doSomething() {
        print("doSomething")
        items.forEach { print($0) }
    }
}

class DataSource<T: A> {
    var sections: [T]

    init(sections: [T]) {
        self.sections = sections
    }

    func process() {
        sections.forEach { $0.doSomething() }
    }

    convenience init() {
        var section = Section()
        section.items.append("Goodbye")
        section.items.append("Swift")

        self.init(sections: [section])
    }
}

/*: Client */
var section = Section()
section.items.append("Hello")
section.items.append("Swift")

let ds = DataSource(sections: [section])
ds.process()

如果不存在便利init,那么/ *:Client * /部分下面的代码会编译并执行而不会出现问题。如果我添加了easy init,我会收到以下编译错误:

cannot convert value of type '[Section]' to expected argument type '[_]'
        self.init(sections: [section])

我不认为这会是一个问题,因为在方便初始化我创建了一个Section结构,它实现了满足DataSource类通用约束的协议A.便利init正在执行与客户端代码相同的操作,但它无法将[部分]转换为[A]。这是初始化排序问题吗?

1 个答案:

答案 0 :(得分:5)

通用占位符对给定泛型类型的使用感到满意 - 因此在convenience init内,您不能假设 TSection。它是符合A的任意具体类型。

例如,调用者定义

是完全合法的
struct SomeOtherSection : A {...}

然后在TSomeOtherSection的情况下调用您的便捷初始化程序。

此案例中的解决方案很简单,您只需在DataSource的扩展名中添加便利初始化程序,其中T被限制为Section - 因此您可以
使用init(sections:)

致电[Section]
extension DataSource where T == Section {

    convenience init() {
        var section = Section()
        section.items.append("Goodbye")
        section.items.append("Swift")

        self.init(sections: [section])
    }
}

// ...

// compiler will infer that T == Section here.
let ds = DataSource()