1. ホーム
  2. flutter

[解決済み] Flutterで「戻る」ボタンを上書きするには?[重複している]。

2022-05-18 10:23:28

質問

<余談
この質問には、すでにここで回答があります :
クローズド 3年前 .

ホームウィジェットで、ユーザーがシステムの戻るボタンをタップしたときに、確認ダイアログを表示して、「アプリを終了しますか?

システムバックボタンをどのようにオーバーライドして処理すればよいのかがわかりません。

どのように解決するのですか?

あなたは WillPopScope で実現できます。

import 'dart:async';

import 'package:flutter/material.dart';

class HomePage extends StatefulWidget {
  HomePage({Key key, this.title}) :super(key: key);

  final String title;

  @override
  State<StatefulWidget> createState() => new _HomePageState();
}

class _HomePageState extends State<HomePage> {

  Future<bool> _onWillPop() async {
    return (await showDialog(
      context: context,
      builder: (context) => new AlertDialog(
        title: new Text('Are you sure?'),
        content: new Text('Do you want to exit an App'),
        actions: <Widget>[
          TextButton(
            onPressed: () => Navigator.of(context).pop(false),
            child: new Text('No'),
          ),
          TextButton(
            onPressed: () => Navigator.of(context).pop(true),
            child: new Text('Yes'),
          ),
        ],
      ),
    )) ?? false;
  }

  @override
  Widget build(BuildContext context) {
    return new WillPopScope(
      onWillPop: _onWillPop,
      child: new Scaffold(
        appBar: new AppBar(
          title: new Text("Home Page"),
        ),
        body: new Center(
          child: new Text("Home Page"),
        ),
      ),
    );
  }
}

??-operator がチェックするのは null をチェックします。 を参照してください。 . これは、ダイアログの外側をクリックすると、showDialogが返されるため、重要です。 null を返し、この場合はfalseが返されるからです。

お役に立ったでしょうか?