How to fix âModifying state during view update, this will cause undefined behaviorâ
How to fix âModifying state during view update, this will cause undefined behaviorâ êŽë š
Updated for Xcode 15
This error occurs because youâre modifying the state of a SwiftUI view while the view is actually being rendered. Modifying the state of a view causes the view to be re-rendered, so SwiftUI gets confused â âundefined behaviorâ is Appleâs way of saying that whatever you see right now might change in the future because itâs not how SwiftUI should be used.
Hereâs an example of the problem in action:
struct ContentView: View {
@State private var name = ""
var body: some View {
if name.isEmpty {
name = "Anonymous"
}
return Text("Hello, \(name)!")
}
}
That creates a state property called name
, and has a text view that shows it. However, inside body
is some logic that attempts to modify name
while the view is being rendered â SwiftUI is trying to figure out whatâs in the view, and youâre changing it while that process is happening.
To fix the problem, move the code that changes your viewâs state â in this case the name = "Anonymous"
â to something that occurs outside of the view updates. For example, this sets the value when the text view first appears:
struct ContentView: View {
@State var name = ""
var body: some View {
Text("Hello, \(name)!")
.onAppear {
if name.isEmpty {
name = "Anonymous"
}
}
}
}
You could also move the logic into an onTapGesture()
or similar â anywhere that isnât directly inside the body of a view.