我想创建一个property wrapper
,它会存储 a callback block
,并在每次它的值发生变化时执行它。简单的东西KVO
。它工作正常,但有一个问题。如果我在此回调块中使用属性本身,则会收到错误消息:
Simultaneous accesses to 0x6000007fc3d0, but modification requires exclusive access
据我了解,这是因为属性本身仍在被写入,而该块正在执行,这就是它无法读取的原因。
让我们添加一些代码来说明我的意思:
@propertyWrapper
struct ReactingProperty<T> {
init(wrappedValue: T) {
self.wrappedValue = wrappedValue
}
public var wrappedValue: T {
didSet {
reaction?(wrappedValue)
}
}
public var projectedValue: Self {
get { self }
set { self = newValue }
}
private var reaction: ((_ value: T) -> Void)?
public mutating func setupReaction(_ reaction: @escaping (_ value: T) -> Void) {
self.reaction = reaction
}
}
并且AppDelegate
:
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
@ReactingProperty
var testInt = 0
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
// Override point for customization after application launch.
// 1. This will pass correctly.
$testInt.setupReaction { (value) in
print(value)
}
testInt = 1
// 2. This will cause crash, because I access testInt in this block, that is executed when value changes.
$testInt.setupReaction { [unowned self] (value) in
print(self.testInt)
}
testInt = 2
return true
}
}
我有一些解决方法,但由于各种原因,没有一个主题是我真正需要的。
如果我改为
block
从 this中访问值block argument
,并在 value 中传递此参数didSet
,那么它可以正常工作。但这迫使我总是以这种方式使用它,我想将它与包含各种其他回调的代码一起使用,有时我也能够直接访问这个值会更方便。我可以
callback block
异步执行(DispachQueue.main.async { self.block?(value) })
。但这对我来说也不是最好的。改为使用
combine
。我可能会,但我也想暂时保留这个功能。我也只是对这个问题感到好奇。
这可以以某种方式克服吗?什么变量实际上导致了这个read-write
访问错误?这是内部的值propertyWrapper
还是propertyWrapper
本身的结构?我认为是propertyWrapper struct
访问导致了这种情况,而不是它的内部价值,但我不确定。