Flutter/Dart Development
// Specialized skill for Flutter app development and Dart programming
$ git log --oneline --stat
stars:384
forks:73
updated:March 4, 2026
SKILL.mdreadonly
SKILL.md Frontmatter
nameFlutter/Dart Development
descriptionSpecialized skill for Flutter app development and Dart programming
version1.0.0
categoryCross-Platform Development
slugflutter-dart
statusactive
Flutter/Dart Development Skill
Overview
This skill provides specialized capabilities for Flutter app development and Dart programming. It enables execution of Flutter CLI commands, widget generation, state management configuration, and comprehensive debugging with Flutter DevTools.
Allowed Tools
bash- Execute Flutter CLI, Dart commands, and pub operationsread- Analyze Flutter project files, widgets, and configurationswrite- Generate and modify Dart code and Flutter configurationsedit- Update existing Flutter widgets and configurationsglob- Search for Dart files and Flutter assetsgrep- Search for patterns in Flutter codebase
Capabilities
Core Development
-
Flutter CLI Operations
- Create new Flutter projects with templates
- Run Flutter apps on devices and emulators
- Build release APK, AAB, and IPA files
- Execute Flutter analyze for linting
- Run Flutter doctor for environment diagnostics
-
Dart Language Features
- Generate null-safe Dart code
- Implement async/await patterns with Futures
- Create Dart classes with factory constructors
- Use extension methods effectively
- Implement sealed classes and pattern matching
-
Widget Development
- Create custom StatelessWidget and StatefulWidget
- Implement InheritedWidget for dependency injection
- Build CustomPainter for custom graphics
- Create responsive layouts with LayoutBuilder
- Implement animations with AnimationController
State Management
-
BLoC Pattern
- Generate BLoC classes with events and states
- Configure flutter_bloc with BlocProvider
- Implement Cubit for simpler state management
- Set up BlocObserver for debugging
- Handle state persistence with hydrated_bloc
-
Provider Pattern
- Configure ChangeNotifierProvider
- Implement Consumer and Selector widgets
- Set up MultiProvider for multiple states
- Use ProxyProvider for dependent providers
-
Riverpod
- Configure ProviderScope and ProviderContainer
- Implement StateNotifier and StateNotifierProvider
- Create AsyncNotifier for async operations
- Use Riverpod code generation
Navigation
-
GoRouter
- Configure declarative routing
- Implement deep linking with path parameters
- Set up redirect guards for authentication
- Handle nested navigation with ShellRoute
- Implement type-safe routing with code generation
-
AutoRoute
- Generate route configurations
- Implement nested routers
- Configure route guards
- Handle path parameters and query strings
Code Generation
- Build Runner
- Configure Freezed for immutable classes
- Set up JsonSerializable for JSON parsing
- Implement Hive type adapters
- Generate mock classes with Mockito
- Use built_value for value types
Testing
- Testing Frameworks
- Configure unit tests with test package
- Implement widget tests with flutter_test
- Set up integration tests
- Use golden tests for UI verification
- Mock dependencies with Mockito
Performance
- Performance Optimization
- Implement const constructors
- Use RepaintBoundary effectively
- Configure image caching
- Implement lazy loading with ListView.builder
- Profile with Flutter DevTools
Target Processes
This skill integrates with the following processes:
flutter-app-scaffolding.js- Project setup and configurationcross-platform-ui-library.js- Shared widget developmentmobile-testing-strategy.js- Test implementationmobile-performance-optimization.js- Performance tuning
Dependencies
Required
- Flutter SDK 3.16+
- Dart SDK 3.2+
- Android Studio or VS Code with Flutter extension
Optional
- Android SDK (for Android development)
- Xcode (for iOS development, macOS only)
- Chrome (for web development)
- Flutter DevTools
Configuration
Project Structure
project-root/
├── lib/
│ ├── main.dart
│ ├── app/
│ │ ├── app.dart
│ │ └── router.dart
│ ├── features/
│ │ └── feature_name/
│ │ ├── data/
│ │ ├── domain/
│ │ └── presentation/
│ ├── core/
│ │ ├── constants/
│ │ ├── errors/
│ │ ├── extensions/
│ │ └── utils/
│ └── shared/
│ └── widgets/
├── test/
├── integration_test/
├── assets/
├── pubspec.yaml
└── analysis_options.yaml
Analysis Options
# analysis_options.yaml
include: package:flutter_lints/flutter.yaml
linter:
rules:
prefer_const_constructors: true
prefer_const_declarations: true
avoid_print: true
prefer_single_quotes: true
require_trailing_commas: true
analyzer:
errors:
invalid_annotation_target: ignore
exclude:
- "**/*.g.dart"
- "**/*.freezed.dart"
Usage Examples
Initialize Project
# Create new Flutter project
flutter create --org com.example my_app
# Create with specific platforms
flutter create --platforms android,ios,web my_app
# Add dependencies
flutter pub add flutter_bloc equatable
flutter pub add --dev build_runner freezed freezed_annotation
Generate Widget
// lib/features/home/presentation/widgets/custom_card.dart
import 'package:flutter/material.dart';
class CustomCard extends StatelessWidget {
const CustomCard({
super.key,
required this.title,
required this.subtitle,
this.onTap,
});
final String title;
final String subtitle;
final VoidCallback? onTap;
@override
Widget build(BuildContext context) {
final theme = Theme.of(context);
return Card(
elevation: 2,
child: InkWell(
onTap: onTap,
borderRadius: BorderRadius.circular(12),
child: Padding(
padding: const EdgeInsets.all(16),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
title,
style: theme.textTheme.titleMedium?.copyWith(
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 8),
Text(
subtitle,
style: theme.textTheme.bodyMedium?.copyWith(
color: theme.colorScheme.onSurfaceVariant,
),
),
],
),
),
),
);
}
}
Configure BLoC
// lib/features/auth/presentation/bloc/auth_bloc.dart
import 'package:flutter_bloc/flutter_bloc.dart';
import 'package:equatable/equatable.dart';
part 'auth_event.dart';
part 'auth_state.dart';
class AuthBloc extends Bloc<AuthEvent, AuthState> {
AuthBloc({required this.authRepository}) : super(const AuthInitial()) {
on<AuthLoginRequested>(_onLoginRequested);
on<AuthLogoutRequested>(_onLogoutRequested);
}
final AuthRepository authRepository;
Future<void> _onLoginRequested(
AuthLoginRequested event,
Emitter<AuthState> emit,
) async {
emit(const AuthLoading());
try {
final user = await authRepository.login(
email: event.email,
password: event.password,
);
emit(AuthAuthenticated(user: user));
} catch (e) {
emit(AuthError(message: e.toString()));
}
}
Future<void> _onLogoutRequested(
AuthLogoutRequested event,
Emitter<AuthState> emit,
) async {
await authRepository.logout();
emit(const AuthUnauthenticated());
}
}
Configure GoRouter
// lib/app/router.dart
import 'package:go_router/go_router.dart';
final router = GoRouter(
initialLocation: '/',
routes: [
GoRoute(
path: '/',
name: 'home',
builder: (context, state) => const HomeScreen(),
routes: [
GoRoute(
path: 'details/:id',
name: 'details',
builder: (context, state) {
final id = state.pathParameters['id']!;
return DetailsScreen(id: id);
},
),
],
),
GoRoute(
path: '/login',
name: 'login',
builder: (context, state) => const LoginScreen(),
),
],
redirect: (context, state) {
final isAuthenticated = authProvider.isAuthenticated;
final isLoggingIn = state.matchedLocation == '/login';
if (!isAuthenticated && !isLoggingIn) {
return '/login';
}
if (isAuthenticated && isLoggingIn) {
return '/';
}
return null;
},
);
Generate Freezed Model
// lib/features/user/domain/entities/user.dart
import 'package:freezed_annotation/freezed_annotation.dart';
part 'user.freezed.dart';
part 'user.g.dart';
@freezed
class User with _$User {
const factory User({
required String id,
required String email,
required String name,
String? avatarUrl,
@Default(false) bool isVerified,
}) = _User;
factory User.fromJson(Map<String, dynamic> json) => _$UserFromJson(json);
}
Quality Gates
Code Quality
- Dart analyzer with zero issues
- flutter_lints compliance
- Proper null safety usage
- No implicit dynamic types
Performance Benchmarks
- App launch time < 2 seconds
- 60fps during animations and scrolling
- Widget rebuild minimization
- Optimized asset loading
Test Coverage
- Unit test coverage > 80%
- Widget test coverage > 70%
- Integration tests for critical flows
Error Handling
Common Issues
-
Pub get failures
flutter clean && flutter pub get -
Build runner conflicts
dart run build_runner build --delete-conflicting-outputs -
iOS CocoaPods issues
cd ios && pod install --repo-update && cd .. -
Gradle sync failures
cd android && ./gradlew clean && cd ..
Related Skills
react-native-dev- Alternative cross-platform frameworkmobile-testing- Comprehensive testing frameworksmobile-perf- Performance profiling and optimizationkotlin-compose- Native Android development
Version History
- 1.0.0 - Initial release with core Flutter/Dart capabilities