Because of the way SwiftUI sends binding updates to property wrappers, property observers used with property wrappers often won’t work the way you expect, which means this kind of code won’t print anything even as the blur radius changes:
struct ContentView: View {
@State private var blurAmount = 0.0 {
didSet {
print("New value is \(blurAmount)")
}
}
var body: some View {
VStack {
Text("Hello, World!")
.blur(radius: blurAmount)
Slider(value: $blurAmount, in: 0...20)
}
}
}
To fix this we need to use the onChange()
modifier, which tells SwiftUI to run a function of our choosing when a particular value changes. SwiftUI will automatically pass in both the old and new value to whatever function you attach, so we'd use it like this:
struct ContentView: View {
@State private var blurAmount = 0.0
var body: some View {
VStack {
Text("Hello, World!")
.blur(radius: blurAmount)
Slider(value: $blurAmount, in: 0...20)
.onChange(of: blurAmount) { oldValue, newValue in
print("New value is \(newValue)")
}
}
}
}
Now that code will correctly print out values as the slider changes, because onChange()
is watching it. Notice how most other things have stayed the same: we still use @State private var
to declare the blurAmount
property, and we still use blur(radius: blurAmount)
as the modifier for our text view.
Tip: You can attach onChange()
wherever you want in your view hierarchy, but I prefer to put it near the thing that's actually changing.
What all this means is that you can do whatever you want inside the onChange()
function: you can call methods, run an algorithm to figure out how to apply the change, or whatever else you might need.
The onChange()
modifier has two other common variants:
SAVE 50% All our books and bundles are half price for Black Friday, so you can take your Swift knowledge further without spending big! Get the Swift Power Pack to build your iOS career faster, get the Swift Platform Pack to builds apps for macOS, watchOS, and beyond, or get the Swift Plus Pack to learn advanced design patterns, testing skills, and more.
Link copied to your pasteboard.