Normally we can use didSet
in swift to monitor the updates of a variable. But it didn't work for a @Binding
variable. For example, I have the following code:
@Binding var text {
didSet {
......
}
}
But the didSet
is never been called.Any idea? Thanks.
You shouldn’t need a didSet
observer on a @Binding
.
If you want a didSet
because you want to compute something else for display when text
changes, just compute it. For example, if you want to display the count of characters in text
:
struct ContentView: View {
@Binding var text: String
var count: Int { text.count }
var body: some View {
VStack {
Text(text)
Text(“count: \(count)”)
}
}
}
If you want to observe text
because you want to make some other change to your data model, then observing the change from your View
is wrong. You should be observing the change from elsewhere in your model, or in a controller object, not from your View
. Remember that your View
is a value type, not a reference type. SwiftUI creates it when needed, and might store multiple copies of it, or no copies at all.
Instead of didSet
you can always use onReceive
(iOS 13+) or onChange
(iOS 14+):
import Combine
import SwiftUI
struct ContentView: View {
@State private var counter = 1
var body: some View {
ChildView(counter: $counter)
Button("Increment") {
counter += 1
}
}
}
struct ChildView: View {
@Binding var counter: Int
var body: some View {
Text(String(counter))
.onReceive(Just(counter)) { value in
print("onReceive: \(value)")
}
.onChange(of: counter) { value in
print("onChange: \(value)")
}
}
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With