Skip to main content

How to fix “Modifying state during view update, this will cause undefined behavior”

About 2 minSwiftSwiftUIArticle(s)bloghackingwithswift.comcrashcourseswiftswiftuixcodeappstore

How to fix “Modifying state during view update, this will cause undefined behavior” 관련

SwiftUI by Example

Back to Home

How to fix “Modifying state during view update, this will cause undefined behavior” | SwiftUI by Example

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.

Similar solutions…
How to find which data change is causing a SwiftUI view to update | SwiftUI by Example

How to find which data change is causing a SwiftUI view to update
SwiftUI tips and tricks | SwiftUI by Example

SwiftUI tips and tricks
What's the difference between @ObservedObject, @State, and @EnvironmentObject? | SwiftUI by Example

What's the difference between @ObservedObject, @State, and @EnvironmentObject?
How to run some code when state changes using onChange() | SwiftUI by Example

How to run some code when state changes using onChange()
How to use @ObservedObject to manage state from external objects | SwiftUI by Example

How to use @ObservedObject to manage state from external objects

이찬희 (MarkiiimarK)
Never Stop Learning.