如何使用bind(_:to:withKeyPath:options :)保持两个属性同步?

问题描述 投票:-2回答:1

我想保持两个属性与Cocoa绑定同步。

在我的代码中,你可以看到我有两个类:AB。我希望保持messageA实例中的B值同步,以便一个中的变化反映在另一个中。我正在尝试使用bind(_:to:withKeyPath:options:)非正式协议的NSKeyValueBindingCreation方法。我在macOS上使用Swift 4.2。

import Cocoa

class A: NSObject {
  @objc dynamic var message = ""
}

class B: NSObject {
  @objc dynamic var message = ""

  init(_ a: A) {
    super.init()
    self.bind(#keyPath(message), to: a, withKeyPath: \.message, options: nil) // compile error
  }
}

我在调用bind:cannot convert value of type 'String' to expected argument type 'NSBindingName'的行中遇到编译错误。我得到了用NSBindingName(rawValue: )包装第一个参数的建议。应用之后,我得到第三个参数的错误type of expression is ambiguous without more context

我究竟做错了什么?

swift cocoa-bindings appkit
1个回答
0
投票

我在操场上做了以下例子。我使用了Counter类,而不是A类和B类,因为它更具描述性,更易于理解。

import Cocoa

class Counter: NSObject {
    // Number we want to bind
    @objc dynamic var number: Int

    override init() {
        number = 0
        super.init()
    }
}

// Create two counters and bind the number of the second counter to the number of the first counter
let firstCounter = Counter()
let secondCounter = Counter()

// You can do this in the constructor. This is for illustration purposes.
firstCounter.bind(NSBindingName(rawValue: #keyPath(Counter.number)), to: secondCounter, withKeyPath: #keyPath(Counter.number), options: nil)
secondCounter.bind(NSBindingName(rawValue: #keyPath(Counter.number)), to: firstCounter, withKeyPath: #keyPath(Counter.number), options: nil)

secondCounter.number = 10
firstCounter.number // Outputs 10
secondCounter.number // Outputs 10
firstCounter.number = 60
firstCounter.number // Outputs 60
secondCounter.number // Outputs 60

通常,绑定用于绑定接口和控制器之间,控制器对象之间或控制器对象与模型对象之间的值。它们旨在删除界面和数据模型之间的粘合代码。

如果您只想保持自己的对象之间的值保持同步,我建议您改为使用键值观察。它有更多的好处,而且更容易。虽然NSView和NSViewController为您管理绑定,但在释放之前必须取消绑定自己的对象,因为绑定对象保留对其他对象的弱引用。使用KVO可以更好地处理这个问题。

看看WWDC2017 Session 212 - What's New in Foundation。它展示了如何在现代应用程序中使用键路径和KVO。

© www.soinside.com 2019 - 2024. All rights reserved.