← Back to posts Cover image for Mastering Custom Animations in Flutter: Beyond Basic Widgets for Engaging UIs

Mastering Custom Animations in Flutter: Beyond Basic Widgets for Engaging UIs

· 5 min read
Weekly Digest

The Flutter news you actually need

No spam, ever. Unsubscribe in one click.

Chris
By Chris

Flutter’s built-in animation widgets are fantastic for everyday tasks—sliding panels, fading text, scaling buttons. But when you need to create something truly unique, like an animated workout character, a liquid gooey effect, or a premium glass-morphism UI, you have to roll up your sleeves and dive into the core animation framework. This is where you move from using animations to crafting them.

The Core Tools: AnimationController and CustomPainter

At the heart of any custom animation in Flutter are two key components:

  1. AnimationController: This is your animation’s conductor. It generates a new value (between 0.0 and 1.0 by default) on every frame for a specified duration. You can forward(), reverse(), repeat(), or stop() it.
  2. CustomPainter: This is your canvas. By extending this class and overriding its paint() method, you can draw anything you can imagine—lines, shapes, paths, and images—using the Canvas and Paint objects.

The magic happens when you combine them: your AnimationController provides a changing value over time, and your CustomPainter uses that value to draw a slightly different picture on each frame.

Example 1: A Simple Animated Stick Figure

Let’s tackle a common need: animating a simple character, like a stick figure doing a jumping jack. We won’t use any external images; we’ll draw it ourselves.

First, we set up a stateful widget with an AnimationController.

import 'package:flutter/material.dart';

class JumpingJackAnimation extends StatefulWidget {
  const JumpingJackAnimation({super.key});

  @override
  State<JumpingJackAnimation> createState() => _JumpingJackAnimationState();
}

class _JumpingJackAnimationState extends State<JumpingJackAnimation>
    with SingleTickerProviderStateMixin {
  late AnimationController _controller;

  @override
  void initState() {
    super.initState();
    _controller = AnimationController(
      duration: const Duration(milliseconds: 1000),
      vsync: this,
    )..repeat(reverse: true); // Loops the animation
  }

  @override
  void dispose() {
    _controller.dispose();
    super.dispose();
  }

  @override
  Widget build(BuildContext context) {
    return AnimatedBuilder(
      animation: _controller,
      builder: (context, child) {
        return CustomPaint(
          painter: StickFigurePainter(_controller.value),
          size: const Size(200, 300),
        );
      },
    );
  }
}

Now, the StickFigurePainter uses the animation value (from 0.0 to 1.0 and back) to interpolate the position of the limbs.

import 'dart:math' as math;

class StickFigurePainter extends CustomPainter {
  final double animationValue;

  StickFigurePainter(this.animationValue);

  @override
  void paint(Canvas canvas, Size size) {
    final paint = Paint()
      ..color = Colors.blue
      ..strokeWidth = 4
      ..style = PaintingStyle.stroke;

    final centerX = size.width / 2;
    final headY = 40.0;

    // Head
    canvas.drawCircle(Offset(centerX, headY), 20, paint);

    // Torso
    final torsoStart = Offset(centerX, headY + 20);
    final torsoEnd = Offset(centerX, headY + 100);
    canvas.drawLine(torsoStart, torsoEnd, paint);

    // Arms - The animation value moves them from down (0.0) to up (1.0)
    final armAngle = animationValue * math.pi; // Radians (0 to pi)
    final armLength = 50.0;

    final leftArmEnd = Offset(
      centerX - armLength * math.cos(armAngle),
      torsoStart.dy + 20 + armLength * math.sin(armAngle),
    );
    final rightArmEnd = Offset(
      centerX + armLength * math.cos(armAngle),
      torsoStart.dy + 20 + armLength * math.sin(armAngle),
    );

    canvas.drawLine(torsoStart, leftArmEnd, paint);
    canvas.drawLine(torsoStart, rightArmEnd, paint);

    // Legs - Simpler animation, just spread outward
    final legSpread = animationValue * 30.0;
    final hip = torsoEnd;
    canvas.drawLine(hip, Offset(centerX - legSpread, headY + 180), paint);
    canvas.drawLine(hip, Offset(centerX + legSpread, headY + 180), paint);
  }

  @override
  bool shouldRepaint(StickFigurePainter oldDelegate) {
    return oldDelegate.animationValue != animationValue;
  }
}

This creates a loop where the figure’s arms swing up and its legs spread apart. By tweaking the math inside the paint() method, you can create squats, lunges, or any movement you need.

Leveling Up: Complex Effects with Shaders and BackdropFilter

For a “premium” aesthetic, you might want effects like glassmorphism (frosted glass) or metaballs (liquid blobs that merge). These require more advanced techniques.

Glassmorphism is achieved using BackdropFilter with an ImageFilter.blur. The key is to apply it within a clipped container with a semi-transparent background.

import 'dart:ui';

class GlassCard extends StatelessWidget {
  const GlassCard({super.key});

  @override
  Widget build(BuildContext context) {
    return Container(
      decoration: BoxDecoration(
        gradient: LinearGradient(
          begin: Alignment.topLeft,
          end: Alignment.bottomRight,
          colors: [
            Colors.white.withOpacity(0.25),
            Colors.white.withOpacity(0.05),
          ],
        ),
        borderRadius: BorderRadius.circular(20),
        border: Border.all(color: Colors.white.withOpacity(0.2)),
      ),
      child: ClipRRect(
        borderRadius: BorderRadius.circular(20),
        child: BackdropFilter(
          filter: ImageFilter.blur(sigmaX: 10.0, sigmaY: 10.0),
          child: const Padding(
            padding: EdgeInsets.all(24.0),
            child: Text('Premium UI',
                style: TextStyle(color: Colors.white, fontSize: 24)),
          ),
        ),
      ),
    );
  }
}

Metaball/Gooey Effects are significantly more complex, involving custom shaders or sophisticated CustomPainter logic that calculates the distance and interaction between multiple shapes. While building this from scratch is a deep dive into graphics programming, the principle remains the same: use an AnimationController to change the positions or properties of the balls over time, and in your painter, write the logic that draws the “stretch” between them based on proximity.

Common Pitfalls and Best Practices

  1. Forgetting vsync: The AnimationController requires a TickerProvider. In a State object, just add with SingleTickerProviderStateMixin.
  2. Not Disposing the Controller: Always dispose your AnimationController in the dispose() method to prevent memory leaks.
  3. Inefficient shouldRepaint: In your CustomPainter, implement shouldRepaint to return true only when the visual output actually needs to change. This prevents unnecessary canvas redraws.
  4. Overusing setState: When using AnimatedBuilder, the widget tree inside the builder is rebuilt automatically on every tick. Avoid calling setState in conjunction with it, as this will cause the entire widget to rebuild unnecessarily.

Mastering these techniques unlocks Flutter’s full potential for creating dynamic, engaging, and truly custom user interfaces. Start with a simple CustomPainter driven by an AnimationController, and you’ll be surprised at how much you can bring to life.

This blog is produced with the assistance of AI by a human editor. Learn more

Related Posts

Cover image for Mastering Flutter + Unity Integration: Solving Common Production Challenges

Mastering Flutter + Unity Integration: Solving Common Production Challenges

Integrating Unity into a Flutter application for gamified or 3D content can be complex, often leading to issues with existing plugins and rendering. This post will explore the current landscape of Flutter-Unity integration, deep dive into common pitfalls like legacy UnityPlayer issues, and provide strategies for building robust hybrid applications, including considerations for custom plugin development.

Cover image for Mastering Flutter Release to Google Play: A Step-by-Step Guide for Closed Testing

Mastering Flutter Release to Google Play: A Step-by-Step Guide for Closed Testing

Releasing Flutter apps to Google Play, especially navigating closed testing, can be a complex and confusing process. This post will demystify the Google Play Console's release workflow, providing a clear, actionable checklist for Flutter developers to manage builds, testers, and promotions effectively, ensuring a smooth app launch.

Cover image for Mastering Image Handling in Flutter: Optimizing for Performance and EXIF Data

Mastering Image Handling in Flutter: Optimizing for Performance and EXIF Data

Handling images efficiently in Flutter, especially for apps like wallpaper galleries, can be challenging due to performance concerns and the need to read metadata like EXIF GPS data. This post will cover strategies for optimizing image loading, caching, displaying large images, and extracting crucial EXIF information to build robust image-heavy applications.