在Swift中,如何扩展类型别名?

In Swift, how to extend a typealias?

我有一个类型别名:

typealias BeaconId = [String: NSObject]

我想通过执行以下操作来扩展它:

extension BeaconId {}

但这会引发编译错误:

Constrained extension must be declared on the unspecialized generic type 'Dictionary' with constraints specified by a 'where' clause

所以我最后做了:

extension Dictionary where Key: StringLiteralConvertible, Value: NSObject {}

有没有更简洁的方法来做到这一点?

据我所知,不。

考虑以下示例:

typealias Height: Float

extension: Height {

}

这里 Height 不是新类型,它只是 Float 的标签,所以你只是扩展 Float。如果你看一下 Dictionary 它是 public struct Dictionary<Key : Hashable, Value> : CollectionType, DictionaryLiteralConvertible 所以你想用

实现什么
extension BeaconID {}

正在向 Dictionary 添加具有特定通用参数的扩展。

我希望您能够做到的是:

typealias BeaconID = Dictionary<Key: String, Value: NSObject>

但这也无法编译,那是因为在 Swift 中您不能为部分类型键入别名(换句话说,没有特定泛型参数类型的泛型类型。请参阅 here 了解更多信息) . typealiasing generic types 的一种可能的解决方法,在我链接到的答案下方注明是

struct Wrapper<Key: Hashable, Value> {
    typealias T = Dictionary<Key, Value>
}
typealias BeaconID = Wrapper<String, NSObject>.T

但即便如此,当您尝试扩展 BeaconID 时,您仍会收到编译器警告,这最终触及了问题的核心:

"Constrained extension must be declared on the unspecialized generic type 'Dictionary' with constraints specified by a 'where' clause"

在 Swift 4.2 时更新: 你现在可以这样做了

示例:

typealias KeyedNumbers = [String: Int]

extension KeyedNumbers {
    func squaredValue(forKey key: String) -> Int {
        return self[key]! * self[key]!
    }
}

有了这个(非常无用的)扩展,你可以这样做:

let pairs = ["two": 2, "three": 3]
print("2 squared =", pairs.squaredValue(forKey: "two"))

它会打印

2 squared = 4