Introduction
Modern Flutter applications require a robust architecture that supports maintainability, testability, and scalability. This article presents a comprehensive approach to restructuring a Flutter application using the BLoC (Business Logic Component) pattern, with a focus on creating a clean, organized codebase that can grow with your project.
We'll explore how to transition from a mixed state management approach (Provider and BLoC) to a standardized BLoC implementation, along with an optimized folder structure that enhances code organization and developer experience.
Why BLoC Pattern?
The BLoC pattern offers several advantages for Flutter applications:
-
Separation of Concerns: BLoC separates business logic from UI components, making code more modular and maintainable.
-
Testability: Business logic encapsulated in BLoCs can be tested independently of the UI.
-
Predictable State Management: The unidirectional data flow makes state changes predictable and traceable.
-
Reusability: BLoCs can be reused across different UI components and even platforms.
-
Scalability: The pattern scales well for complex applications and larger development teams.
Optimized Folder Structure
A well-organized folder structure is crucial for maintainability. Here's our recommended structure:
lib/
├── app/ # Application-level components
│ ├── app.dart # Main app widget
│ ├── routes.dart # Centralized routing
│ ├── di/ # Dependency injection
│ │ └── service_locator.dart
│ └── theme/ # Theme-related files
│ ├── app_theme.dart
│ └── app_colors.dart
├── core/ # Core functionality used across the app
│ ├── config/ # Configuration files
│ │ ├── constants.dart
│ │ └── environment.dart
│ ├── error/ # Error handling
│ │ └── exceptions.dart
│ ├── network/ # Network-related code
│ │ ├── api_client.dart
│ │ └── interceptors/
│ ├── storage/ # Storage-related code
│ │ ├── secure_storage.dart
│ │ └── local_storage.dart
│ └── utils/ # Utility functions
│ ├── formatters.dart
│ └── validators.dart
├── data/ # Data layer
│ ├── datasources/ # Data sources (local, remote)
│ │ ├── local/
│ │ └── remote/
│ ├── models/ # Data models
│ │ ├── common/ # Shared models
│ │ ├── requests/ # Request models
│ │ └── responses/ # Response models
│ └── repositories/ # Repository implementations
├── domain/ # Domain layer
│ ├── entities/ # Business entities
│ ├── repositories/ # Repository interfaces
│ └── usecases/ # Business logic use cases
├── presentation/ # UI layer
│ ├── common/ # Shared UI components
│ │ ├── widgets/ # Reusable widgets
│ │ ├── dialogs/ # Reusable dialogs
│ │ └── layouts/ # Layout components
│ └── features/ # Feature-specific screens and components
│ ├── auth/ # Authentication feature
│ │ ├── bloc/ # Feature-specific bloc
│ │ ├── widgets/ # Feature-specific widgets
│ │ └── screens/ # Feature screens
│ ├── pos/ # Point of Sale feature
│ │ ├── bloc/
│ │ ├── widgets/
│ │ └── screens/
│ └── settings/ # Settings feature
│ ├── bloc/
│ ├── widgets/
│ └── screens/
└── main.dart # Entry point
mkdir -p lib/domain/repositories
mkdir -p lib/domain/usecases
mkdir -p lib/presentation/common/widgets
mkdir -p lib/presentation/common/dialogs
mkdir -p lib/presentation/common/layouts
mkdir -p lib/presentation/features/auth/bloc
mkdir -p lib/presentation/features/auth/widgets
mkdir -p lib/presentation/features/auth/screens
mkdir -p lib/presentation/features/pos/bloc
mkdir -p lib/presentation/features/pos/widgets
mkdir -p lib/presentation/features/pos/screens
mkdir -p lib/presentation/features/settings/bloc
mkdir -p lib/presentation/features/settings/widgets
mkdir -p lib/presentation/features/settings/screens
Key Components Explained
1. App Layer
The app layer contains application-wide configurations and setup:
- app.dart: The main application widget (MaterialApp/CupertinoApp)
- routes.dart: Centralized routing configuration
- di/service_locator.dart: Dependency injection setup (using GetIt)
- theme/: Application theming configuration
2. Core Layer
The core layer contains utilities and services used throughout the application:
- config/: Application constants and environment configurations
- error/: Custom exceptions and error handling
- network/: Network-related code including API clients
- storage/: Local storage and secure storage implementations
- utils/: Utility functions and helpers
3. Data Layer
The data layer handles data operations and transformations:
- datasources/: Data sources for local and remote data
- models/: Data models for serialization/deserialization
- repositories/: Implementation of repository interfaces
4. Domain Layer
The domain layer contains business logic and rules:
- entities/: Business entities (pure Dart objects)
- repositories/: Repository interfaces defining data operations
- usecases/: Business logic use cases
5. Presentation Layer
The presentation layer handles UI components and state management:
- common/: Shared UI components
- features/: Feature-specific screens and components, organized by feature
BLoC Implementation Details
BLoC Structure
Each feature should have its own BLoC with a consistent structure:
// Events
abstract class FeatureEvent {}
class LoadFeatureData extends FeatureEvent {}
class UpdateFeatureData extends FeatureEvent {
final FeatureData data;
UpdateFeatureData(this.data);
}
// States
abstract class FeatureState {}
class FeatureInitial extends FeatureState {}
class FeatureLoading extends FeatureState {}
class FeatureLoaded extends FeatureState {
final FeatureData data;
FeatureLoaded(this.data);
}
class FeatureError extends FeatureState {
final String message;
FeatureError(this.message);
}
// BLoC
class FeatureBloc extends Bloc<FeatureEvent, FeatureState> {
final FeatureRepository repository;
FeatureBloc(this.repository) : super(FeatureInitial()) {
on<LoadFeatureData>(_onLoadFeatureData);
on<UpdateFeatureData>(_onUpdateFeatureData);
}
Future<void> _onLoadFeatureData(
LoadFeatureData event,
Emitter<FeatureState> emit
) async {
emit(FeatureLoading());
try {
final data = await repository.getFeatureData();
emit(FeatureLoaded(data));
} catch (e) {
emit(FeatureError(e.toString()));
}
}
Future<void> _onUpdateFeatureData(
UpdateFeatureData event,
Emitter<FeatureState> emit
) async {
// Implementation
}
}
BLoC Organization
BLoCs should be organized by feature, not in a single directory. For example:
lib/presentation/features/pos/bloc/
├── item/
│ ├── item_bloc.dart
│ ├── item_event.dart
│ └── item_state.dart
├── category/
│ ├── category_bloc.dart
│ ├── category_event.dart
│ └── category_state.dart
└── payment/
├── payment_bloc.dart
├── payment_event.dart
└── payment_state.dart
BLoC Provider Setup
In your main.dart or feature entry point, set up BLoC providers:
MultiBlocProvider(
providers: [
BlocProvider<AuthBloc>(
create: (context) => AuthBloc(
authRepository: getIt<AuthRepository>(),
),
),
BlocProvider<CategoryBloc>(
create: (context) => CategoryBloc(
categoryRepository: getIt<CategoryRepository>(),
)..add(LoadCategories()),
),
BlocProvider<ItemBloc>(
create: (context) => ItemBloc(
itemRepository: getIt<ItemRepository>(),
),
),
// Other BLoCs...
],
child: AppView(),
)
Migrating from Provider to BLoC
Step 1: Identify Provider Dependencies
First, identify the providers you want to migrate:
// Example provider
class CategoryNotifier extends ChangeNotifier {
List<CategoryModel> _categories = [];
List<CategoryModel> get categories => _categories;
Future<void> fetchCategories() async {
// Implementation
notifyListeners();
}
void addCategory(CategoryModel category) {
_categories.add(category);
notifyListeners();
}
}
Step 2: Create Corresponding BLoC
Create a BLoC with equivalent functionality:
// Events
abstract class CategoryEvent {}
class FetchCategories extends CategoryEvent {}
class AddCategory extends CategoryEvent {
final CategoryModel category;
AddCategory(this.category);
}
// States
abstract class CategoryState {}
class CategoryInitial extends CategoryState {}
class CategoryLoading extends CategoryState {}
class CategoriesLoaded extends CategoryState {
final List<CategoryModel> categories;
CategoriesLoaded(this.categories);
}
class CategoryError extends CategoryState {
final String message;
CategoryError(this.message);
}
// BLoC
class CategoryBloc extends Bloc<CategoryEvent, CategoryState> {
final CategoryRepository repository;
CategoryBloc(this.repository) : super(CategoryInitial()) {
on<FetchCategories>(_onFetchCategories);
on<AddCategory>(_onAddCategory);
}
Future<void> _onFetchCategories(
FetchCategories event,
Emitter<CategoryState> emit
) async {
emit(CategoryLoading());
try {
final categories = await repository.getCategories();
emit(CategoriesLoaded(categories));
} catch (e) {
emit(CategoryError(e.toString()));
}
}
Future<void> _onAddCategory(
AddCategory event,
Emitter<CategoryState> emit
) async {
if (state is CategoriesLoaded) {
final currentCategories = (state as CategoriesLoaded).categories;
try {
await repository.addCategory(event.category);
emit(CategoriesLoaded([...currentCategories, event.category]));
} catch (e) {
emit(CategoryError(e.toString()));
}
}
}
}
Step 3: Update UI Components
Replace Provider consumers with BLoC consumers:
// Before (with Provider)
Consumer<CategoryNotifier>(
builder: (context, notifier, child) {
if (notifier.categories.isEmpty) {
return const CircularProgressIndicator();
}
return CategoryList(categories: notifier.categories);
},
)
// After (with BLoC)
BlocBuilder<CategoryBloc, CategoryState>(
builder: (context, state) {
if (state is CategoryLoading) {
return const CircularProgressIndicator();
} else if (state is CategoriesLoaded) {
return CategoryList(categories: state.categories);
} else if (state is CategoryError) {
return Text('Error: ${state.message}');
}
return Container();
},
)
Step 4: Trigger Events
Replace direct method calls with event dispatches:
// Before (with Provider)
context.read<CategoryNotifier>().fetchCategories();
// After (with BLoC)
context.read<CategoryBloc>().add(FetchCategories());
Real-World Example: POS System
Let's look at a practical example for a Point of Sale (POS) system feature:
1. Sale Feature BLoC
// sale_event.dart
abstract class SaleEvent {}
class LoadSales extends SaleEvent {}
class AddSale extends SaleEvent {
final SaleModel sale;
AddSale(this.sale);
}
class UpdateSale extends SaleEvent {
final SaleModel sale;
UpdateSale(this.sale);
}
class DeleteSale extends SaleEvent {
final String saleId;
DeleteSale(this.saleId);
}
// sale_state.dart
abstract class SaleState {}
class SaleInitial extends SaleState {}
class SaleLoading extends SaleState {}
class SalesLoaded extends SaleState {
final List<SaleModel> sales;
SalesLoaded(this.sales);
}
class SaleError extends SaleState {
final String message;
SaleError(this.message);
}
// sale_bloc.dart
class SaleBloc extends Bloc<SaleEvent, SaleState> {
final SaleRepository repository;
SaleBloc(this.repository) : super(SaleInitial()) {
on<LoadSales>(_onLoadSales);
on<AddSale>(_onAddSale);
on<UpdateSale>(_onUpdateSale);
on<DeleteSale>(_onDeleteSale);
}
Future<void> _onLoadSales(
LoadSales event,
Emitter<SaleState> emit
) async {
emit(SaleLoading());
try {
final sales = await repository.getSales();
emit(SalesLoaded(sales));
} catch (e) {
emit(SaleError(e.toString()));
}
}
// Other event handlers...
}
2. Sale Repository
// sale_repository.dart (domain layer)
abstract class SaleRepository {
Future<List<SaleModel>> getSales();
Future<SaleModel> getSaleById(String id);
Future<SaleModel> createSale(SaleModel sale);
Future<SaleModel> updateSale(SaleModel sale);
Future<void> deleteSale(String id);
}
// sale_repository_impl.dart (data layer)
class SaleRepositoryImpl implements SaleRepository {
final SaleRemoteDataSource remoteDataSource;
final SaleLocalDataSource localDataSource;
final NetworkInfo networkInfo;
SaleRepositoryImpl({
required this.remoteDataSource,
required this.localDataSource,
required this.networkInfo,
});
@override
Future<List<SaleModel>> getSales() async {
if (await networkInfo.isConnected) {
try {
final remoteSales = await remoteDataSource.getSales();
localDataSource.cacheSales(remoteSales);
return remoteSales;
} catch (e) {
return localDataSource.getLastSales();
}
} else {
return localDataSource.getLastSales();
}
}
// Other methods...
}
3. Sale Screen
// sales_screen.dart
class SalesScreen extends StatelessWidget {
@override
Widget build(BuildContext context) {
return BlocProvider(
create: (context) => getIt<SaleBloc>()..add(LoadSales()),
child: Scaffold(
appBar: AppBar(title: Text('Sales')),
body: BlocBuilder<SaleBloc, SaleState>(
builder: (context, state) {
if (state is SaleLoading) {
return Center(child: CircularProgressIndicator());
} else if (state is SalesLoaded) {
return SalesList(sales: state.sales);
} else if (state is SaleError) {
return Center(child: Text('Error: ${state.message}'));
}
return Container();
},
),
floatingActionButton: FloatingActionButton(
onPressed: () => _navigateToAddSale(context),
child: Icon(Icons.add),
),
),
);
}
void _navigateToAddSale(BuildContext context) {
// Navigation logic
}
}
Best Practices
1. Keep BLoCs Focused
Each BLoC should handle a specific feature or concern. Avoid creating "god BLoCs" that manage too many responsibilities.
2. Use Cubits for Simpler Cases
For simpler state management needs, consider using Cubit (a simplified version of BLoC):
class CounterCubit extends Cubit<int> {
CounterCubit() : super(0);
void increment() => emit(state + 1);
void decrement() => emit(state - 1);
}
3. Implement Error Handling
Always include error states and proper error handling in your BLoCs:
try {
// Operation
} catch (e) {
emit(FeatureError(e.toString()));
// Consider logging the error
}
4. Use BlocListener for Side Effects
Use BlocListener for side effects like showing snackbars or navigating:
BlocListener<AuthBloc, AuthState>(
listener: (context, state) {
if (state is AuthAuthenticated) {
Navigator.of(context).pushReplacementNamed('/home');
} else if (state is AuthError) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(content: Text(state.message)),
);
}
},
child: LoginForm(),
)
5. Implement Repository Pattern
Always use the repository pattern to abstract data sources:
class ItemRepositoryImpl implements ItemRepository {
final ItemRemoteDataSource remoteDataSource;
final ItemLocalDataSource localDataSource;
ItemRepositoryImpl({
required this.remoteDataSource,
required this.localDataSource,
});
@override
Future<List<ItemModel>> getItems() async {
// Implementation
}
}
Conclusion
Adopting a standardized BLoC pattern with a well-organized folder structure significantly improves the maintainability, testability, and scalability of Flutter applications. By following the guidelines in this article, you can create a robust architecture that supports your application's growth and makes development more efficient.
The migration from Provider to BLoC may require initial effort, but the long-term benefits in terms of code organization, testability, and maintainability make it worthwhile, especially for complex applications like POS systems.
Remember that architecture should serve your application's needs, so adapt these recommendations to fit your specific requirements while maintaining the core principles of separation of concerns and clean architecture.