在 SwiftUI 中使数组符合 Identifiable

Conforming an array to Identifiable in SwiftUI

我有一个关于在 SwiftUI 中遵守 Identifiable 的小问题。

在某些情况下,我们需要让给定类型 MyType 符合 Identifiable

但我面临这样一种情况,我需要 [MyType](MyType 的数组)符合 Identifiable

我的 MyType 已经符合 Identifiable。我应该怎么做才能使 [MyType] 也符合 Identifiable?

我建议在结构中嵌入 [MyType],然后让结构符合 Identifiable。像这样:

struct MyType: Identifiable {
    let id = UUID()
}
struct Container: Identifiable {
    let id = UUID()
    var myTypes = [MyType]()
}

用法:

struct ContentView: View {
    let containers = [
        Container(myTypes: [
            MyType(),
            MyType()
        ]),
        Container(myTypes: [
            MyType(),
            MyType(),
            MyType()
        ])
    ]
    
    var body: some View {

        /// no need for `id: \.self`
        ForEach(containers) { container in
            ...
        }
    }
}

您可以编写一个扩展,使 Array 符合 Identifiable

由于扩展不能包含存储的属性,也因为两个“相同”的数组也具有相同的 id 是有意义的,因此您需要计算 id 基于数组的内容。

这里最简单的方法是让你的类型符合 Hashable:

extension MyType: Hashable {}

这也使 [MyType] 符合 Hashable,并且由于 id 可以是任何 Hashable,您可以使用数组本身作为它自己的 id:

extension Array: Identifiable where Element: Hashable {
   public var id: Self { self }
}

或者,如果您愿意,id 可以是 Int:

extension Array: Identifiable where Element: Hashable {
   public var id: Int { self.hashValue }
}

当然,您可以只为自己的类型 where Element == MyType 执行此操作,但该类型需要 public.