What if you could list all your enum options automatically, saving time and avoiding mistakes?
Why Iterating enum cases with CaseIterable in Swift? - Purpose & Use Cases
Imagine you have a list of options in your app, like different colors or modes, and you want to show them all one by one.
Without a simple way to get all options, you have to write each one manually every time.
Manually listing each option is slow and easy to forget or make mistakes.
If you add a new option, you must remember to update every place you listed them.
This leads to bugs and extra work.
Using CaseIterable lets you automatically get all the options from your enum.
This means you write the options once, and Swift gives you a list to loop through anytime.
It saves time and keeps your code clean and safe.
enum Color {
case red
case green
case blue
}
let colors = [Color.red, Color.green, Color.blue]
for color in colors {
print(color)
}enum Color: CaseIterable {
case red, green, blue
}
for color in Color.allCases {
print(color)
}You can easily loop over all enum options without extra work, making your code simpler and less error-prone.
In a settings screen, you want to show all theme modes (light, dark, system) to the user without manually updating the list every time you add a new mode.
Manually listing enum cases is repetitive and error-prone.
CaseIterable automatically provides all cases for easy looping.
This keeps your code clean, safe, and easy to update.