Home/移动开发/flutter-performance
F

flutter-performance

by @flutterv
4.9(18)

Analyze and optimize Flutter app performance, identifying jank, overdraw, and expensive rendering operations to enhance user experience.

FlutterDartPerformance OptimizationMobile DevelopmentDevToolsGitHub
Installation
npx skills add flutter/skills --skill flutter-performance
compare_arrows

Before / After Comparison

1
Before

When Flutter applications experience jank, excessive rebuilds, or inefficient rendering, developers struggle to accurately identify performance bottlenecks. Manual debugging is time-consuming and ineffective, leading to a degraded user experience.

After

With Flutter performance optimization skills, the system can automatically analyze app performance, identify and resolve jank, excessive rebuilds, and expensive rendering operations. It also leverages DevTools to generate actionable performance metrics, significantly improving app smoothness and user experience.

description SKILL.md

flutter-performance

Flutter Performance Optimization

Goal

Analyzes and optimizes Flutter application performance by identifying jank, excessive rebuilds, and expensive rendering operations. Implements best practices for UI rendering, state management, and layout constraints. Utilizes Flutter DevTools, Chrome DevTools (for web), and integration tests to generate actionable performance metrics, ensuring frames render within the strict 16ms budget.

Decision Logic

Evaluate the target application using the following decision tree to determine the optimization path:

  • Is the goal to establish a performance baseline?

Yes: Implement an integration test using traceAction and TimelineSummary.

  • No: Proceed to step 2.

  • Is the application running on Web?

Yes: Enable debugProfileBuildsEnabled and use Chrome DevTools Performance panel.

  • No: Run the app on a physical device in --profile mode and launch Flutter DevTools.

  • Which thread is showing jank (red bars > 16ms) in the DevTools Performance View?

UI Thread: Optimize build() methods, localize setState(), use const constructors, and replace string concatenation with StringBuffer.

  • Raster (GPU) Thread: Minimize saveLayer(), Opacity, Clip, and ImageFilter usage. Pre-cache complex images using RepaintBoundary.

  • Both: Start by optimizing the UI thread (Dart VM), as expensive Dart code often cascades into expensive rendering.

Instructions

Establish a Performance Baseline To measure performance programmatically, create an integration test that records a performance timeline. STOP AND ASK THE USER: "Do you want to run a baseline integration test to capture timeline metrics before optimizing?" If yes, implement the following exact driver and test implementation:

test_driver/perf_driver.dart (Immutable operation):

import 'package:flutter_driver/flutter_driver.dart' as driver;
import 'package:integration_test/integration_test_driver.dart';

Future<void> main() {
  return integrationDriver(
    responseDataCallback: (data) async {
      if (data != null) {
        final timeline = driver.Timeline.fromJson(
          data['scrolling_timeline'] as Map<String, dynamic>,
        );
        final summary = driver.TimelineSummary.summarize(timeline);
        await summary.writeTimelineToFile(
          'scrolling_timeline',
          pretty: true,
          includeSummary: true,
        );
      }
    },
  );
}

integration_test/scrolling_test.dart:

import 'package:flutter/material.dart';
import 'package:flutter_test/flutter_test.dart';
import 'package:integration_test/integration_test.dart';
import 'package:your_package/main.dart';

void main() {
  final binding = IntegrationTestWidgetsFlutterBinding.ensureInitialized();

  testWidgets('Performance profiling test', (tester) async {
    await tester.pumpWidget(const MyApp());
    final listFinder = find.byType(Scrollable);
    final itemFinder = find.byKey(const ValueKey('target_item'));

    await binding.traceAction(() async {
      await tester.scrollUntilVisible(
        itemFinder,
        500.0,
        scrollable: listFinder,
      );
    }, reportKey: 'scrolling_timeline');
  });
}

Run the test using: flutter drive --driver=test_driver/perf_driver.dart --target=integration_test/scrolling_test.dart --profile --no-dds

Optimize UI Thread (Build Costs) If the UI thread exceeds 8ms per frame, refactor the widget tree:

Localize State: Move setState calls as low in the widget tree as possible.

  • Use const: Apply const constructors to short-circuit rebuild traversals.

  • String Building: Replace + operators in loops with StringBuffer.

// BAD: Rebuilds entire widget tree
setState(() { _counter++; });

// GOOD: Encapsulated state
class CounterWidget extends StatefulWidget { ... }
// Inside CounterWidget:
setState(() { _counter++; });

// GOOD: Efficient string building
final buffer = StringBuffer();
for (int i = 0; i < 1000; i++) {
  buffer.write('Item $i');
}
final result = buffer.toString();

Optimize Raster Thread (Rendering Costs) If the Raster thread exceeds 8ms per frame, eliminate expensive painting operations:

Replace Opacity widgets with semitransparent colors where possible.

  • Replace Opacity in animations with AnimatedOpacity or FadeInImage.

  • Avoid Clip.antiAliasWithSaveLayer. Use borderRadius properties on containers instead of explicit clipping widgets.

// BAD: Expensive Opacity widget
Opacity(
  opacity: 0.5,
  child: Container(color: Colors.red),
)

// GOOD: Semitransparent color
Container(color: Colors.red.withOpacity(0.5))

Fix Layout and Intrinsic Passes Identify and remove excessive layout passes caused by intrinsic operations (e.g., asking all children for their size before laying them out).

Use lazy builders (ListView.builder, GridView.builder) for long lists.

  • Avoid ShrinkWrap: true on scrollables unless absolutely necessary.

Handle Framework Breaking Changes (Validate-and-Fix) Ensure the application complies with recent Flutter optimization changes regarding LayoutBuilder and OverlayEntry. These widgets no longer rebuild implicitly.

Validate: Check if LayoutBuilder or OverlayEntry UI fails to update.

  • Fix: Wrap the state modification triggering the update in an explicit setState.
// FIX: Explicit setState for Overlay/Route changes
final newLabel = await Navigator.pushNamed(context, '/bar');
setState(() {
  buttonLabel = newLabel;
});

Web-Specific Profiling If profiling for Web, inject timeline events into Chrome DevTools by adding these flags to main() before runApp():

import 'package:flutter/widgets.dart';
import 'package:flutter/rendering.dart';

void main() {
  debugProfileBuildsEnabled = true;
  debugProfileBuildsEnabledUserWidgets = true;
  debugProfileLayoutsEnabled = true;
  debugProfilePaintsEnabled = true;
  runApp(const MyApp());
}

STOP AND ASK THE USER: "Have you captured the Chrome DevTools performance profile? Please share the timeline event bottlenecks if you need specific refactoring."

Constraints

  • NEVER profile performance in Debug mode. Always use --profile mode on a physical device.

  • NEVER override operator == on Widget objects. It results in O(N²) behavior and degrades performance. Rely on const caching instead.

  • NEVER put a subtree in an AnimatedBuilder that does not depend on the animation. Build the static part once and pass it as the child parameter.

  • DO NOT use constructors with a concrete List of children (e.g., Column, ListView) if most children are off-screen. Always use .builder constructors for lazy loading.

  • DO NOT use saveLayer() unless absolutely necessary (e.g., dynamic overlapping shapes with transparency). Precalculate and cache static overlapping shapes.

Weekly Installs1.2KRepositoryflutter/skillsGitHub Stars725First Seen14 days agoSecurity AuditsGen Agent Trust HubPassSocketPassSnykPassInstalled oncodex1.1Kgithub-copilot1.1Kopencode1.1Kcursor1.1Kgemini-cli1.1Kkimi-cli1.1K

forumUser Reviews (0)

Write a Review

Effect
Usability
Docs
Compatibility

No reviews yet

Statistics

Installs477
Rating4.9 / 5.0
Version
Updated2026年3月17日
Comparisons1

User Rating

4.9(18)
5
0%
4
0%
3
0%
2
0%
1
0%

Rate this Skill

0.0

Compatible Platforms

🔧Claude Code
🔧OpenClaw
🔧OpenCode
🔧Codex
🔧Gemini CLI
🔧GitHub Copilot
🔧Amp
🔧Kimi CLI

Timeline

Created2026年3月17日
Last Updated2026年3月17日