5

我试图理解为什么泛型方法的 where 子句被忽略

我在 Swift 3 中做了一个简单的用例(如果你想摆弄它,你可以在操场上复制代码):

//MARK: - Classes

protocol HasChildren {
    var children:[Human] {get}
}

class Human {}

class SeniorHuman : Human, HasChildren {
    var children: [Human] {
        return [AdultHuman(), AdultHuman()]
    }
}

class AdultHuman : Human, HasChildren {
    var children: [Human] {
        return [YoungHuman(), YoungHuman(), YoungHuman()]
    }
}

class YoungHuman : Human {}

//MARK: - Generic Methods

/// This method should only be called for YoungHuman
func sayHelloToFamily<T: Human>(of human:T) {
    print("Hello \(human). You have no children. But do you conform to protocol? \(human is HasChildren)")
}

/// This method should be called for SeniorHuman and AdultHuman, but not for YoungHuman...
func sayHelloToFamily<T: Human>(of human:T) where T: HasChildren {
    print("Hello \(human). You have \(human.children.count) children, good for you!")
}

好的,现在让我们运行一些测试。如果我们有:

let senior = SeniorHuman()
let adult = AdultHuman()

print("Test #1")
sayHelloToFamily(of: senior)

print("Test #2")
sayHelloToFamily(of: adult)

if let seniorFirstChildren = senior.children.first {
    print("Test #3")
    sayHelloToFamily(of: seniorFirstChildren)

    print("Test #4")
    sayHelloToFamily(of: seniorFirstChildren as! AdultHuman)
}

输出是:

Test #1
Hello SeniorHuman. You have 2 children, good for you!

Test #2
Hello AdultHuman. You have 3 children, good for you!

Test #3
Hello AdultHuman. You have no children. But do you conform to protocol? true
//Well, why are you not calling the other method then?

Test #4
Hello AdultHuman. You have 3 children, good for you!
//Oh... it's working here... It seems that I just can't use supertyping

嗯......显然,为了使where协议子句起作用,我们需要传递一个符合其定义中协议的强类型。

仅使用超类型是不够的,即使在测试#3 中很明显给定实例实际上符合HasChildren协议。

那么,我在这里缺少什么,这是不可能的吗?您是否有一些链接可以提供有关正在发生的事情的更多信息,或者有关where子句或子类型及其一般行为的更多信息?

我已经阅读了一些有用的资源,但似乎没有一个关于它为什么不起作用的详尽解释:

4

2 回答 2

3

在编译时选择要调用的方法的类型。编译器对您的类型了解多少?

if let seniorFirstChildren = senior.children.first {

seniorFirstChildrenHuman因为这children就是声明的方式。我们不知道该child人是成年人还是老年人。

但是,考虑一下:

if let seniorFirstChildren = senior.children.first as? AdultHuman {

现在编译器知道了seniorFirstChildrenAdultHuman它会调用你期望的方法。

您必须区分静态类型(编译期间已知的类型)和动态类型(运行时已知的类型)。

于 2017-01-13T10:34:30.537 回答
3

语言指南 - 类型转换

检查类型

使用类型检查运算符 ( is) 检查实例是否属于某个子类类型。true如果实例属于该子类类型,则类型检查运算符返回,否则返回false

类型检查运算符is运行时解析,而使用(binded to ) 实例的sayHelloToFamily第一个children成员作为参数的调用的重载解析在编译时解析(在这种情况下,它的类型为,不符合) . 如果您明确告诉编译器这是一个实例(使用 unsafe ),那么编译器自然会利用此信息来选择更具体的重载。AdultHumanseniorFirstChildrenHumanHasChildrenseniorFirstChildrenAdultHumanas! AdultHuman

于 2017-01-13T10:34:54.483 回答