1

私が書いた小さなアプリにリバーポッドを実装しました。

flutter_riverpod: ^0.12.1

私の問題は、プロバイダーを更新すると、「watch」を呼び出したにもかかわらず、ウィジェットが再構築されないことです。

プロバイダーは基本的に、表示する必要がある現在のページを追跡します。

import 'dart:developer';

import 'package:flutter_riverpod/flutter_riverpod.dart';

final currentPageProvider = StateNotifierProvider((ref) => CurrentPage());

class CurrentPage extends StateNotifier<int> {
  CurrentPage() : super(-1);

  set currentPage(int page) {
    log('currentPage set to $page');
    state = page;
  }

  int get currentPage => state;
}

PageButtons ウィジェットは一連の RaisedButtons を描画します。ユーザーが隆起したボタンの 1 つをクリックすると、現在のページ番号が表示されます。現在のページに対応する RaisedButton の色を変更できるように、PageButton ウィジェットを再構築する必要があります。

import 'dart:developer';
import 'dart:math' hide log;

import 'package:flutter/material.dart';
import 'package:flutter/widgets.dart';
import 'package:flutter_riverpod/flutter_riverpod.dart';
import 'package:fsm2/fsm2.dart' hide State;
import 'package:fsm2_viewer/src/providers/current_page.dart';
import 'package:fsm2_viewer/src/providers/log_provider.dart';

class PageButtons extends ConsumerWidget {
  final List<SvgFile> pages;
  PageButtons(this.pages);

  @override
  Widget build(BuildContext context, ScopedReader watch) {
    /// watch the currentPageProvider so we are rebuilt when the page
    /// no changes.
    int currentPage = watch(currentPageProvider).currentPage;
    log('building PageButons currentPage: $currentPage');
    if (pages.length == 0) {
      return Container(width: 0, height: 0);
    }

    currentPage = min(currentPage, pages.length - 1);

    var buttons = <Widget>[];
    for (var pageNo = 0; pageNo < pages.length; pageNo++) {
      buttons.add(Padding(
          padding: EdgeInsets.only(right: 5, left: 5),
          child: RaisedButton(
              color: (pageNo == currentPage ? Colors.blue : Colors.grey),
              onPressed: () {
                context.read(logProvider).log = 'onpressed';
                /// User click the page button so update the current page.
                context.read(currentPageProvider).currentPage = pageNo;
                context.read(logProvider).log = 'changed to page $pageNo';
              },
              child: Text('${pageNo + 1}'))));
    }
    return Row(children: buttons);
  }
}

上記のビルド メソッドで、watch を呼び出していることがわかります。

 int currentPage = watch(currentPageProvider).currentPage;

次に、Raised ボタンの onPressed で currentPage を更新します。

              onPressed: () {
                /// User click the page button so update the current page.
                context.read(currentPageProvider).currentPage = pageNo;
                context.read(logProvider).log = 'onpressed';                
                context.read(logProvider).log = 'changed to page $pageNo';

私のログには次のように表示されます。

main:ALL> onpressed
main:ALL> currentPage set to 1
main:ALL> changed to page 1

ログは、onPressed メソッドが呼び出され、currentPageProvider を更新していることを示しています。

ただし、PageButtons のビルダーは呼び出されていません。

私は何を間違っていますか?

4

1 に答える 1