61 lines
1.2 KiB
Dart
61 lines
1.2 KiB
Dart
import 'package:flutter/material.dart';
|
|
|
|
/// Widget avec animation de fade-in automatique
|
|
class AnimatedFadeIn extends StatefulWidget {
|
|
final Widget child;
|
|
final Duration duration;
|
|
final Duration delay;
|
|
final Curve curve;
|
|
|
|
const AnimatedFadeIn({
|
|
super.key,
|
|
required this.child,
|
|
this.duration = const Duration(milliseconds: 600),
|
|
this.delay = Duration.zero,
|
|
this.curve = Curves.easeOut,
|
|
});
|
|
|
|
@override
|
|
State<AnimatedFadeIn> createState() => _AnimatedFadeInState();
|
|
}
|
|
|
|
class _AnimatedFadeInState extends State<AnimatedFadeIn>
|
|
with SingleTickerProviderStateMixin {
|
|
late AnimationController _controller;
|
|
late Animation<double> _animation;
|
|
|
|
@override
|
|
void initState() {
|
|
super.initState();
|
|
_controller = AnimationController(
|
|
duration: widget.duration,
|
|
vsync: this,
|
|
);
|
|
|
|
_animation = CurvedAnimation(
|
|
parent: _controller,
|
|
curve: widget.curve,
|
|
);
|
|
|
|
Future.delayed(widget.delay, () {
|
|
if (mounted) {
|
|
_controller.forward();
|
|
}
|
|
});
|
|
}
|
|
|
|
@override
|
|
void dispose() {
|
|
_controller.dispose();
|
|
super.dispose();
|
|
}
|
|
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
return FadeTransition(
|
|
opacity: _animation,
|
|
child: widget.child,
|
|
);
|
|
}
|
|
}
|