目次
n秒後に何かしたい
こんなページがあるとして、ボタンを押したn秒後に文言を変えたい
data:image/s3,"s3://crabby-images/c538d/c538dda900e5750ed1474b35c7f764d8aee42a48" alt=""
ソース
class _TestPageState extends State<ResultPage> {
String _titleText = "test";
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(_titleText, style: TextStyle(fontSize: 50)),
ElevatedButton(
onPressed: (){
},
child: const Text("push!")
)
],
),
),
);
}
}
Timerを使う
https://api.dart.dev/stable/2.13.4/dart-async/Timer-class.html
dart:asyncをimportして、ソースを以下のように変える
引数のDurationで間隔を設定できますが、秒だけじゃなくて色々設定できて便利ですねぇ
https://api.dart.dev/stable/2.13.4/dart-core/Duration-class.html
import 'dart:async';
class _TestPageState extends State<ResultPage> {
String _titleText = "test";
void _changeTitle() {
setState(() {
_titleText = "oops";
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(_titleText, style: TextStyle(fontSize: 50)),
ElevatedButton(
onPressed: (){
Timer(const Duration(seconds: 3), _changeTitle);
},
child: const Text("push!")
)
],
),
),
);
}
}
3秒後に切り替わるゥ〜〜┏( ◜◡~)┛.┏( ◜◡~)┛.┏( ◜◡~)┛.┏( ◜◡~)┛.
data:image/s3,"s3://crabby-images/c2296/c22963e56928e91d2f5cdbd823e58b056a804785" alt=""
setIntervalみたいにしたいんだが?(n秒間隔で処理)
じゃぁボタンを押したら1秒毎にテキスト変えてみましょう
Timer.periodicを使います
https://api.dart.dev/stable/2.14.3/dart-async/Timer/Timer.periodic.html
class _TestPageState extends State<ResultPage> {
int _counter = 0;
Timer? _timer;
void _cancelTimer() {
if (_timer != null) {
_timer!.cancel();
}
}
@override
void dispose(){
_cancelTimer();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(_counter.toString(), style: TextStyle(fontSize: 50)),
ElevatedButton(
onPressed: (){
_timer = Timer.periodic(const Duration(seconds: 1), (timer) {
setState(() {
_counter++;
});
});
},
child: const Text("push!")
),
ElevatedButton(
onPressed: (){
_cancelTimer();
},
child: const Text("stop!")
)
],
),
),
);
}
}
これで「push」を押したら1秒毎にテキストが代わりますね
「stop」を押したら止まります
data:image/s3,"s3://crabby-images/40087/400875bc9d2b141d559034b751d77bba98ad2945" alt=""
data:image/s3,"s3://crabby-images/6fa1a/6fa1ac4cd8c4388fb942d6babe563e319f8af105" alt=""
data:image/s3,"s3://crabby-images/e3e7b/e3e7b2b1fde57239021673c944ae32a4a55c7de9" alt=""
periodicはずっと動き続けてしまうのでちゃんとcancelする必要があるっぽいので気をつけてください
↓参考↓
https://qiita.com/ywand/items/9df5cc894bae594d5181
https://scrapbox.io/dennougorilla/Timer.periodic%E3%81%AB%E3%81%A4%E3%81%84%E3%81%A6
data:image/s3,"s3://crabby-images/45aa5/45aa5f436ff3c3b92cedcad99dd188dd94ff59bc" alt=""