flutter future实现倒计时
时间: 2023-08-09 08:00:53 浏览: 134
Flutter中,可以使用Future来实现倒计时功能。下面是一个使用Future实现倒计时的代码示例:
```dart
import 'package:flutter/material.dart';
void main() {
runApp(MyApp());
}
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
title: '倒计时示例',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: CountDownPage(),
);
}
}
class CountDownPage extends StatefulWidget {
@override
_CountDownPageState createState() => _CountDownPageState();
}
class _CountDownPageState extends State<CountDownPage> {
int countDownValue = 10;
@override
void initState() {
super.initState();
startCountDown();
}
void startCountDown() {
Future.delayed(Duration(seconds: 1), () {
setState(() {
countDownValue--;
});
if (countDownValue > 0) {
startCountDown();
}
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text('倒计时示例'),
),
body: Center(
child: Text(
'倒计时:$countDownValue',
style: TextStyle(fontSize: 24),
),
),
);
}
}
```
上述代码展示了如何创建一个名为CountDownPage的StatefulWidget,其中使用Future.delayed来实现倒计时的逻辑。在initState中调用了startCountDown方法来启动倒计时,每秒减少countDownValue的值,并通过setState来更新页面。当countDownValue为0时,停止倒计时。
在构建页面时,使用了Center和Text组件来展示倒计时的数值。
通过这种方式,我们可以在Flutter中使用Future来实现简单的倒计时功能。
阅读全文