Puredux is an architecture framework for SwiftUI and UIKit designed to streamline state management with a focus on unidirectional data flow and separation of concerns.
- Unidirectional MVI Architecture: Supports a unidirectional data flow to ensure predictable state management and consistency.
- SwiftUI and UIKit Compatibility: Works seamlessly with both SwiftUI and UIKit, offering bindings for easy integration.
- Single Store/Multiple Stores Design: Supports both single and multiple store setups for flexible state management of apps of any size and complexity.
- Separation of Concerns: Emphasizes separating business logic and side effects from UI components.
- Performance Optimization: Offers granular performance tuning with state deduplication, debouncing, and offloading heavy UI-related work to the background.
Develop an application using Puredux, incorporating pure state, actions, and reducers, with a clean stateless UI, while managing side effects separately.
- Getting Started
- Hierarchical Stores Tree Architecture
- Side Effects
- Dependency Injection
- Performance
- Installation
- Documentation
- Licensing
At its core, Puredux follows a predictable state management pattern that consists of the following key components:
- State: A type that represents the entire application state or a portion of it.
- Actions: Events that describe possible changes in the system, which lead to state mutations.
- Reducer: A function that dictates how state changes in response to specific actions.
- Store: The central hub where:
- Initial state and reducers are defined.
- Actions are dispatched to trigger state changes.
- New state values are propagated to any observers or views.
Click to expand
+-----------------------------------------+
| Store |
| |
| +-----------+ +-------------------+ |
| | Reducer |<--| Current State | |
New State | +-----------+ +-------------------+ | Actions
<-----------+ | A |<----------+
| | | | | A
| | V | | |
| | +-------------------+ | | |
| | | New State |------------+ | |
| | +-------------------+ | |
| | | |
| +-----------------------------------------+ |
| |
| |
| |
| +----------------+ +---+----+ |
V Observer | | Async Work | | |
+---------->| Side Effects |--------------->| Action |--------->|
| | | Result | | |
| +----------------+ +----+---+ |
| |
| +----------------+ +---+----+ |
V Observer | | User | | |
+---------->| UI |------------------>| Action |------>+
| | Interactions | |
+----------------+ +----+---+
// Let's cover actions with a protocol
protocol Action { }
struct IncrementCounter: Action {
// ...
}
// Define root AppState
struct AppState {
// ...
mutating func reduce(_ action: Action) {
switch action {
case let action as IncrementCounter:
// ...
default:
break
}
}
}
// Inject root store
extension SharedStores {
@StoreEntry var root = StateStore<AppState, Action>(AppState()) { state, action in
state.reduce(action)
}
}
Puredux can integrate with SwiftUI to manage both global app state and local states.
// View might need a local state that we don't need to share with the whole app
struct ViewState {
// ...
mutating func reduce(_ action: Action) {
// ...
}
}
// In your SwiftUI View, you can combine the app's root store with local view-specific states.
// This allows the view to respond dynamically to both app-level and view-level state changes.
struct ContentView: View {
// We can take an injected root store,
// create a local state store and merge them together.
@State var store: StoreOf(\.root).with(ViewState()) { state, action in
state.reduce(action)
}
@State var viewState: (AppState, ViewState)?
var body: some View {
MyView(viewState)
.subscribe(store) { viewState = $0 }
.onAppear {
dispatch(SomeAction())
}
}
}
Click to expand UIViewController example
// We can do the same thing almost with the same API for UIKit view controller:
struct MyScreenState {
// ...
mutating func reduce(_ action: Action) {
// ...
}
}
final class MyViewController: ViewController {
var store: StoreOf(\.root).with(MyScreenState()) { state, action in
state.reduce(action)
}
override func viewDidLoad() {
super.viewDidLoad()
subscribe(store) { [weak self] in
// Handle updates with the derived props
self?.updateUI(with: $0)
}
}
private func updateUI(with state: (AppState, MyScreenState)) {
// Update UI elements with the new view state
}
}
Puredux allows you to build a hierarchical store tree, facilitating the development of applications where state can be either shared or isolated, while keeping state mutations predictable.
Actions propagate upstream from child stores to the root store, while state updates flow downstream from the root store to child stores, and ultimately to store observers.
The store tree hierarchy ensures that business logic is fully decoupled from the UI layer. This allows for a deep, isolated business logic tree, while maintaining a shallow UI layer focused solely on its responsibilities.
Make your app driven by business logic, not by the view hierarchy.
Puredux provides flexibility in structuring your app with the following options:
- Single Store
- Multiple Independent Stores
- Multiple Store Tree
The multiple store tree is a flexible design that handles complex applications by organizing stores in a hierarchical structure. This approach offers several benefits:
- Feature scope isolation: Each feature or module has its own dedicated store, preventing cross-contamination of state.
- Performance optimization: Stores can be made pluggable and isolated, reducing the overhead of managing a large, monolithic state and improving performance.
- Scalable application growth: You can start with a simple structure and add more stores as your application grows, making this approach sustainable for long-term development.
// Root Store Config
let root = StateStore<AppState, Action>(AppState()) { state, action in
state.reduce(action)
}
.effect(\.effectState) { state, dispatch in
Effect {
// ...
}
}
// Feature One Config
let featureOne = root.with(FeatureOne()) { appState, action in
state.reduce(action)
}
.effect(\.effectState) { state, dispatch in
Effect {
// ...
}
}
// Feature Two Config with 2 screen stores
let featureTwo = root.with(FeatureTwo()) { state, action in
state.reduce(action)
}
.effect(\.effectState) { state, dispatch in
Effect {
// ...
}
}
let screenOne = featureTwo.with(ScreenOne()) { state, action in
state.reduce(action)
}
.effect(\.effectState) { state, dispatch in
Effect {
// ...
}
}
let screenTwo = featureTwo.with(ScreenTwo()) { state, action in
state.reduce(action)
}
We can connect UI to any of the stores and will end up with the following hierarchy:
Click to expand
+----------------+ +--------------+
| AppState Store | -- | Side Effects |
+----------------+ +--------------+
|
|
+------------+-------------------------+
| |
| |
| |
| |
+------------------+ +------------------+ +--------------+
| FeatureOne Store | | FeatureTwo Store | -- | Side Effects |
+------------------+ +------------------+ +--------------+
| | |
+----+ +--------------+ |
| UI | | Side Effects | +------------+------------+
+----+ +--------------+ | |
| |
| |
| |
+-----------------+ +-----------------+
| ScreenOne Store | | ScreenTwo Store |
+-----------------+ +-----------------+
| | |
+----+ +--------------+ +----+
| UI | | Side Effects | | UI |
+----+ +--------------+ +----+
In the context of UDF architecture, "side effects" refer to asynchronous operations that interact with external systems or services. These can include:
- Network Requests: Fetching data from web services or APIs.
- Database Fetches: Retrieving or updating information in a database.
- I/O Operations: Reading from or writing to files, streams, or other I/O devices.
- Timer Events: Handling delays, timeouts, or scheduled tasks.
- Location Service Callbacks: Responding to changes in location data or retrieving location-specific information.
In the Puredux framework, managing these side effects is achieved through two main mechanisms:
- Async Actions
- State-Driven Side Effects
Async Actions are designed for straightforward, fire-and-forget scenarios. They allow you to initiate asynchronous operations and integrate them seamlessly into your application logic. These actions handle tasks such as network requests or database operations, enabling your application to respond to the outcomes of these operations. Define actions that perform asynchronous work and then use them within your app.
// Define result and error actions:
struct FetchDataResult: Action {
// ...
}
struct FetchDataError: Action {
// ...
}
// Define async action:
struct FetchDataAction: AsyncAction {
func execute(completeHandler: @escaping (Action) -> Void) {
APIClient.shared.fetchData {
switch $0 {
case .success(let result):
completeHandler(FetchDataResult(result))
case .success(let error):
completeHandler(FetchDataError(error))
}
}
}
}
// When async action is dispatched to the store, it will be executed:
store.dispatch(FetchDataAction())
State-driven Side Effects offer more advanced capabilities for handling asynchronous operations. This mechanism is particularly useful when you need precise control over execution, including retry logic, cancellation, and synchronization with the UI or other parts of the application. Despite its advanced features, it is also suitable for simpler use cases due to its minimal boilerplate code.
// Add effect state to the state
struct AppState {
private(set) var theJob: Effect.State = .idle()
}
// Add related actions**
enum Action {
case jobSuccess(Something)
case startJob
case cancelJob
case jobFailure(Error)
}
// Handle actions in the reducer
extension AppState {
mutating func reduce(_ action: Action) {
switch action {
case .jobSuccess:
theJob.succeed()
case .startJob:
theJob.run()
case .cancelJob:
theJob.cancel()
case .jobFailure(let error):
theJob.retryOrFailWith(error)
}
}
}
// Add SideEffect to the store:
let store = StateStore<AppState, Action>(AppState()) { state, action in
state.reduce(action)
}
.effect(\.theJob, on: .main) { appState, dispatch in
Effect {
do {
let result = try await apiService.fetch()
dispatch(.jobSuccess(result))
} catch {
dispatch(.jobFailure(error))
}
}
}
// Dispatch action to run the job:
store.dispatch(.startJob)
A powerful feature of State-driven Side Effects is that their scope and lifetime are defined by the store they are connected to. This makes them especially beneficial in complex store hierarchies, such as app-level stores, feature-scoped stores, and per-screen stores, as their side effects automatically align with the lifecycle of each store.
Puredux splits dependencies into two categories:
- Store Injection
- Dependency Injection
Although both are essentially dependencies, they are handled separately because they serve different purposes, and Puredux ensures they remain distinct.
- Store Injection is used to conveniently obtain store instances in the UI layer of the application.
- Dependency Injection is used inside the store's reducers to power the application's core logic.
Use @StoreEntry
in the SharedStores
extension to inject the store instance:
extension SharedStores {
@StoreEntry var root = StateStore<AppRootState, Action>(....)
}
// The `@StoreOf` property wrapper can be used to obtain the injected store instance:
struct MyView: View {
@State @StoreOf(\.root)
var store: StateStore<AppRootState, Action>
var body: some View {
// ...
}
}
Use @DependencyEntry
in the Dependencies
extension to inject the dependency instance:
extension Dependencies {
@DependencyEntry var now = { Date() }
}
// Then it can be used in the app reducer:
struct AppState {
private var currentTime: Date?
mutating func reduce(_ action: Action) {
switch action {
case let action as UpdateTime:
let now = Dependency[\.now]
currentTime = now()
default:
break
}
}
}
Puredux offers a robust strategy for addressing the performance challenges commonly faced in iOS applications. It provides several key optimizations to enhance app responsiveness and efficiency, including:
- Reducers background execution: Offloads reducer logic to background threads to improve overall app performance.
- State updates deduplication: Minimizes redundant state updates, reducing unnecessary re-renders and improving processing efficiency.
- Granular UI updates: Ensures only the necessary parts of the UI are updated, enhancing responsiveness.
- UI updates debouncing: Prevents excessive UI updates by intelligently controlling the frequency of updates.
- Two-step UI updates with background task offloading: Heavy computational tasks are handled in the background, with UI updates executed in a structured two-step process to ensure smooth, lag-free interactions.
As your application and its features expand, you may encounter performance issues, such as reducers taking longer to execute or SwiftUI view bodies refreshing more frequently than anticipated. This article highlights several common challenges when building features in Puredux and provides solutions to address them.
Puredux is designed in a way that allows you to implement state and reducers without any dependencies.
This is done intentionally to be able to offload all stores reducers' work to the background without worrying much about data races, access synchronization with dependencies.
As the result reducers operate in background leaving the main thread exclusively for the UI.
When creating the root store, you can choose the quality of service for the queue it will operate on.
let store = StateStore(
InitialState(),
qos: .userInitiated,
reducer: myReducer
)
Puredux supports state change deduplication to enable granular UI updates based on changes to specific parts of the state.
struct MyView: View {
let store: Store<ViewState, Action>
@State var viewState: ViewState?
var body: some View {
ContentView(viewState)
.subscribe(
store: store,
removeStateDuplicates: .keyPath(\.lastModified),
observe: {
viewState = $0
}
)
}
}
Click to expand UIViewController example
final class MyViewController: ViewController {
var store: StoreOf(\.root).with(MyScreenState()) { state, action in
state.reduce(action)
}
override func viewDidLoad() {
super.viewDidLoad()
subscribe(
store,
removeStateDuplicates: .keyPath(\.lastModified)) { [weak self] in
// Handle updates with the derived props
self?.updateUI(with: $0)
}
}
private func updateUI(with state: (AppState, MyScreenState)) {
// Update UI elements with the new view state
}
}
There are situations where frequent state updates are unavoidable, but triggering the UI for each update can be too resource-intensive. To handle this, Puredux provides a debouncing option. With debouncing, the UI update will only be triggered after a specified time interval has elapsed between state changes.
struct MyView: View {
let store: Store<ViewState, Action>
@State var viewState: ViewState?
var body: some View {
ContentView(viewState)
.subscribe(
store: store,
debounceFor: 0.016,
observe: {
viewState = $0
}
)
}
}
Click to expand UIViewController example
final class MyViewController: ViewController {
var store: StoreOf(\.root).with(MyScreenState()) { state, action in
state.reduce(action)
}
override func viewDidLoad() {
super.viewDidLoad()
subscribe(store, debounceFor: 0.016) { [weak self] in
self?.updateUI(with: $0)
}
}
private func updateUI(with state: (AppState, MyScreenState)) {
// Update UI elements with the new view state
}
}
A very common use case involves converting raw model data into a more presentable format,
which may include mapping AttributedStrings
, using DateFormatter
, and more. These operations can be resource-intensive.
Puredux allows you to add a presentational layer in the state change processing pipeline between the store and the UI. This enables you to offload these computations to a background queue, keeping the UI responsive.
struct MyView: View {
@State var store: StoreOf(\.root).with(ViewState()) { state, action in
state.reduce(action)
}
@State var viewModel: ViewModel?
var body: some View {
ContentView(viewModel)
.subscribe(
store,
props: { state, dispatch in
// ViewModel will be evaluated on the background presentation queue
ViewModel(state, dispatch)
},
presentationQueue: .sharedPresentationQueue,
observe: {
viewModel = $0
}
)
}
}
Click to expand UIViewController example
final class MyViewController: ViewController {
var store: StoreOf(\.root).with(MyScreenState()) { state, action in
state.reduce(action)
}
override func viewDidLoad() {
super.viewDidLoad()
subscribe(
store,
props: { state, dispatch in
// ViewModel will be evaluated on the background presentation queue
ViewModel(state, dispatch)
},
presentationQueue: .sharedPresentationQueue) { [weak self] in
self?.updateUI(with: $0)
}
}
private func updateUI(with viewModel: ViewModel) {
// Update UI elements with the new view state
}
}
Puredux provides a full control over UI updates. Any SwiftUI View
, UIViewController
or a UIView
or can be individually subscribed to the Store
with state deduplication, debouncing and 2-step UI updates with background offloading.
Puredux is available through Swift Package Manager.
To install it, in Xcode 11.0 or later select File > Swift Packages > Add Package Dependency... and add Puredux repositoies URLs for the modules requried:
https://github.com/KazaiMazai/Puredux
Puredux and all its modules are licensed under MIT license.