Flutter 中动画的使用
在Flutter中,可以使用AnimationController
和Tween
来创建和控制动画。以下是一个简单的示例,展示如何创建和使用一个简单的淡入动画:
import 'package:flutter/material.dart';
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
home: HomePage(),
);
}
}
class HomePage extends StatefulWidget {
@override
_HomePageState createState() => _HomePageState();
}
class _HomePageState extends State<HomePage> with TickerProviderStateMixin {
AnimationController controller;
Animation<double> animation;
@override
void initState() {
super.initState();
controller = AnimationController(
duration: const Duration(seconds: 2),
vsync: this,
);
animation = Tween<double>(begin: 0, end: 1).animate(controller)
..addListener(() => setState(() {}));
controller.forward();
}
@override
void dispose() {
controller.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Opacity(
opacity: animation.value,
child: FlutterLogo(size: 100.0),
),
),
);
}
}
这个示例中,我们创建了一个AnimationController
和一个Tween
来定义动画从0到1的过程。然后我们将这个动画对象添加到一个Opacity
组件中,使Flutter logo在2秒内逐渐变为完全不透明。当状态被改变时,通过setState
来重新构建widget并应用最新的动画值。
评论已关闭