Learn how to implement state management in Flutter using Redux by defining models, actions, reducers, and connecting state to UI elements for a responsive application.
State management is a critical aspect of building robust and scalable Flutter applications. Redux, a predictable state container for Dart apps, offers a structured approach to managing state changes. In this section, we will explore how to implement state management using Redux by defining models, actions, reducers, and connecting state to UI elements. This comprehensive guide will provide you with the tools and knowledge to effectively use Redux in your Flutter projects.
In Redux, models represent the data structures used within your application. For our example, we will create two models: Product and CartItem. These models will form the basis of our application’s state.
class Product {
  final String id;
  final String name;
  final double price;
  Product({required this.id, required this.name, required this.price});
}
class CartItem {
  final String productId;
  final int quantity;
  CartItem({required this.productId, required this.quantity});
}
id, name, and price.productId and quantity.Actions in Redux are payloads of information that send data from your application to your Redux store. They are the only source of information for the store. We will define actions to add, remove, and update items in the cart.
class AddToCartAction {
  final String productId;
  AddToCartAction(this.productId);
}
class RemoveFromCartAction {
  final String productId;
  RemoveFromCartAction(this.productId);
}
class UpdateQuantityAction {
  final String productId;
  final int quantity;
  UpdateQuantityAction({required this.productId, required this.quantity});
}
Reducers specify how the application’s state changes in response to actions sent to the store. They are pure functions that take the previous state and an action, and return the next state.
final cartReducer = combineReducers<List<CartItem>>([
  TypedReducer<List<CartItem>, AddToCartAction>(_addToCart),
  TypedReducer<List<CartItem>, RemoveFromCartAction>(_removeFromCart),
  TypedReducer<List<CartItem>, UpdateQuantityAction>(_updateQuantity),
]);
List<CartItem> _addToCart(List<CartItem> cartItems, AddToCartAction action) {
  // Check if the item is already in the cart
  final existingItemIndex = cartItems.indexWhere((item) => item.productId == action.productId);
  if (existingItemIndex >= 0) {
    // If it exists, increase the quantity
    final updatedItem = cartItems[existingItemIndex];
    return List.from(cartItems)
      ..[existingItemIndex] = CartItem(productId: updatedItem.productId, quantity: updatedItem.quantity + 1);
  } else {
    // If it doesn't exist, add new item
    return List.from(cartItems)..add(CartItem(productId: action.productId, quantity: 1));
  }
}
List<CartItem> _removeFromCart(List<CartItem> cartItems, RemoveFromCartAction action) {
  return cartItems.where((item) => item.productId != action.productId).toList();
}
List<CartItem> _updateQuantity(List<CartItem> cartItems, UpdateQuantityAction action) {
  final existingItemIndex = cartItems.indexWhere((item) => item.productId == action.productId);
  if (existingItemIndex >= 0) {
    final updatedItem = cartItems[existingItemIndex];
    return List.from(cartItems)
      ..[existingItemIndex] = CartItem(productId: updatedItem.productId, quantity: action.quantity);
  }
  return cartItems;
}
The AppState is the root state object that holds the entire state tree of your application. It is updated by the root reducer, which combines all the reducers in your application.
class AppState {
  final List<Product> products;
  final List<CartItem> cartItems;
  AppState({required this.products, required this.cartItems});
  factory AppState.initial() {
    return AppState(
      products: [], // Initialize with an empty list or predefined products
      cartItems: [],
    );
  }
}
AppState appReducer(AppState state, action) {
  return AppState(
    products: state.products, // Assuming products are static
    cartItems: cartReducer(state.cartItems, action),
  );
}
AppState.To connect the Redux state to your Flutter widgets, use the StoreConnector widget. This widget rebuilds in response to state changes, ensuring your UI stays in sync with the state.
class CartPage extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return StoreConnector<AppState, _CartViewModel>(
      converter: (store) => _CartViewModel.fromStore(store),
      builder: (context, viewModel) {
        return ListView.builder(
          itemCount: viewModel.cartItems.length,
          itemBuilder: (context, index) {
            final item = viewModel.cartItems[index];
            return ListTile(
              title: Text(viewModel.getProductName(item.productId)),
              subtitle: Text('Quantity: ${item.quantity}'),
              trailing: IconButton(
                icon: Icon(Icons.remove_shopping_cart),
                onPressed: () => viewModel.removeFromCart(item.productId),
              ),
            );
          },
        );
      },
    );
  }
}
class _CartViewModel {
  final List<CartItem> cartItems;
  final Function(String) removeFromCart;
  final Function(String) getProductName;
  _CartViewModel({
    required this.cartItems,
    required this.removeFromCart,
    required this.getProductName,
  });
  static _CartViewModel fromStore(Store<AppState> store) {
    return _CartViewModel(
      cartItems: store.state.cartItems,
      removeFromCart: (productId) => store.dispatch(RemoveFromCartAction(productId)),
      getProductName: (productId) => store.state.products.firstWhere((product) => product.id == productId).name,
    );
  }
}
Testing is crucial to ensure that your Redux implementation works as expected. Verify that adding, removing, and updating items in the cart behaves correctly.
Consider a scenario where you are building an e-commerce application. Redux can help manage the complexity of state changes as users browse products, add items to their cart, and proceed to checkout. By maintaining a single source of truth for your application’s state, Redux simplifies debugging and enhances scalability.
TypedReducer and combineReducers to optimize performance and maintain readability.