Expected behaviour: The view is only updated when I edit the property text1
showed on screen
I'm getting the expected behavior whith Observation
but not with SwiftData
. Why? I thought SwiftData
models are Observable
- SwiftData:
@Model
final class Item {
var text1: String
var text2: String
init(text1: String, text2: String) {
self.text1 = text1
self.text2 = text2
}
}
struct ContentView: View {
@Environment(\.modelContext) private var modelContext
@Query private var items: [Item]
var body: some View {
let _ = Self._printChanges()
List{
Text(items.first?.text1 ?? "")
Button("Edit"){items[0].text2 = "Edited text2"}
}
.onAppear{
modelContext.insert(Item(text1: "Initial text1",text2: "Initial text2"))
}
}
}
- Observation:
@Observable
final class Item {
var text1: String
var text2: String
init(text1: String, text2: String) {
self.text1 = text1
self.text2 = text2
}
}
struct ContentView: View {
@State var item = Item(text1: "Initial text1",text2: "Initial text2")
var body: some View {
let _ = Self._printChanges()
List{
Text(item.text1)
Button("Edit"){item.text2 = "Edited text2"}
}
}
}
This is not about the SwiftData model itself and its properties. What causes the refresh of the view is instead the
@Query
If we look in the logs we can first see that SwiftData posts a notification after the update has been done (button pressed).
This triggers a SwiftUI update and the print statement in your code prints
Which is directly followed by the query refreshing itself which can again be seen in the logs
So it is the query that reacts on the notification (dependency) and it does that because it only knows that something has changed but not exactly what so it needs to refresh itself and fetch all data again.
This is a general disadvantage with
@Query
(and also@FetchRequest
for Core Data) that they are quite "trigger happy" so to speak and often performs a refreshA possible workaround for this is to create a sub-view for the list content
With this I still get a print from the ContentView when the button is pressed
but nothing is printed for
ItemRow