Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to create fade transition on push route flutter?

I am trying to create a fade transition for pushing routes, for that created a custom route like

class CustomPageRoute<T> extends MaterialPageRoute<T> {
  CustomPageRoute({WidgetBuilder builder, RouteSettings settings})
      : super(builder: builder, settings: settings);

  @override
  Widget buildTransitions(BuildContext context, Animation<double> animation,
      Animation<double> secondaryAnimation, Widget child) {
    return FadeTransition(opacity:animation, child: child,  );
  }
}

And calling it from a button press like

onPressed: () {
   Navigator.push(context, CustomPageRoute(builder: (context) {
       return FirstScreen();
   }));
}

But this give a weird animation with sliding + fade. How to avoid the sliding animation in this?

Here is the output of my code:

Here is the output

like image 261
Johnykutty Avatar asked Mar 25 '19 14:03

Johnykutty


1 Answers

You should extend from PageRoute instead of MaterialPageRoute

    class CustomPageRoute<T> extends PageRoute<T> {
      CustomPageRoute(this.child);
      @override
      // TODO: implement barrierColor
      Color get barrierColor => Colors.black;

      @override
      String get barrierLabel => null;

      final Widget child;

      @override
      Widget buildPage(BuildContext context, Animation<double> animation,
          Animation<double> secondaryAnimation) {
        return FadeTransition(
          opacity: animation,
          child: child,
        );
      }

      @override
      bool get maintainState => true;

      @override
      Duration get transitionDuration => Duration(milliseconds: 500);
    }

Usage:

          final page = YourNewPage();
          Navigator.of(context).push(CustomPageRoute(page));
like image 109
diegoveloper Avatar answered Oct 07 '22 02:10

diegoveloper