11

假设我在 Swift 中实现了一个根类,我声明它采用了Equatable协议(我希望能够判断我的类型的数组是否包含给定的实例)。

这种特定情况下,将协议所需的==运算符实现为:

public static func ==(lhs: MyClass, rhs: MyClass) -> Bool {

    return ObjectIdentifier(lhs) == ObjectIdentifier(rhs)
}

...而不是仅仅这样做:

public static func ==(lhs: MyClass, rhs: MyClass) -> Bool {

    return (lhs === rhs)
}

作为参考,这就是文档所说的ObjectIdentifier()

类实例或元类型的唯一标识符。在 Swift 中,只有类实例和元类型具有唯一标识。结构、枚举、函数或元组没有身份的概念。

...这就是The Swift Programming Language (Swift 3)的“基本运算符”部分对===运算符的描述:

笔记

Swift 还提供了两个标识运算符(===!==),您可以使用它们来测试两个对象引用是否都引用同一个对象实例。有关详细信息,请参阅类和结构。

4

1 回答 1

15

类实例没有区别,请参见 ObjectIdentifier.swift 中的以下注释

  /// Creates an instance that uniquely identifies the given class instance.
  ///
  /// The following example creates an example class `A` and compares instances
  /// of the class using their object identifiers and the identical-to
  /// operator (`===`):
  ///
  ///     class IntegerRef {
  ///         let value: Int
  ///         init(_ value: Int) {
  ///             self.value = value
  ///         }
  ///     }
  ///
  ///     let x = IntegerRef(10)
  ///     let y = x
  ///
  ///     print(ObjectIdentifier(x) == ObjectIdentifier(y))
  ///     // Prints "true"
  ///     print(x === y)
  ///     // Prints "true"
  ///
  ///     let z = IntegerRef(10)
  ///     print(ObjectIdentifier(x) == ObjectIdentifier(z))
  ///     // Prints "false"
  ///     print(x === z)
  ///     // Prints "false"
  ///

for的实现==ObjectIdentifier也很明显,它只是比较指向对象存储的指针:

  public static func == (x: ObjectIdentifier, y: ObjectIdentifier) -> Bool {
    return Bool(Builtin.cmp_eq_RawPointer(x._value, y._value))
  }

这也是运营商所做===

public func === (lhs: AnyObject?, rhs: AnyObject?) -> Bool {
  switch (lhs, rhs) {
  case let (l?, r?):
    return Bool(Builtin.cmp_eq_RawPointer(
        Builtin.bridgeToRawPointer(Builtin.castToUnknownObject(l)),
        Builtin.bridgeToRawPointer(Builtin.castToUnknownObject(r))
      ))
  case (nil, nil):
    return true
  default:
    return false
  }
}

ObjectIdentifier符合Hashable,因此如果您想为您的类实现该协议,这很有用:

extension MyClass: Hashable {
    var hashValue: Int {
        return ObjectIdentifier(self).hashValue
    }
}

还可以为未定义的元类型(例如ObjectIdentifier(Float.self))创建对象标识符。===

于 2016-09-20T06:57:35.630 回答