Flutter集合值监听插件collection_value_notifier的使用

发布于 1周前 作者 caililin 来自 Flutter

Flutter集合值监听插件 collection_value_notifier 的使用

collection_value_notifier 是一个用于在 Flutter 应用中监听列表、集合和映射变化的插件。它提供了内置的构建器,当集合发生修改时会触发重建。这些特性使其成为自定义控制器的理想基础类。

特性

  • 监听底层数据集的变化。
  • 仅在深度比较评估显示列表、集合或映射被修改时才重建小部件。
  • 将集合注入子小部件,并智能地将这些更改传播到其他监听者。
  • 在整个应用中维护一个复杂的基于集合的状态。
  • 使用更多的无状态小部件与集合构建器小部件。

安装

要使用这个插件,请在您的 pubspec.yaml 文件中添加以下依赖:

dependencies:
  collection_value_notifier: ^latest_version

然后运行 flutter pub get 来安装包。

使用示例

导入并声明

首先导入包并声明一个 ListNotifier 实例:

import 'package:collection_value_notifier/collections.dart';

final ListNotifier<int> listNotifier = ListNotifier([0, 1, 2]);

添加和移除监听器

可以像这样为 listNotifier 添加和移除监听器:

listNotifier.addListener(() {
  // 当列表发生变化时调用此回调
});

listNotifier.removeListener(() {});

使用 Builder

ListListenableBuilder 可以用来根据 listNotifier 的状态变化来更新 UI:

ListListenableBuilder<int>(
  valueListenable: listNotifier,
  builder: (context, list, _) {
    return Text('List: $list');
  },
);

修改集合

对集合进行修改(如添加、删除元素)会自动通知所有监听者:

listNotifier[0] = 10;
listNotifier.removeAt(1);

记得释放资源

ValueNotifier 类似,记得在不再需要监听器时调用 dispose() 方法:

listNotifier.dispose();

完整示例 Demo

以下是完整的示例代码,演示了如何在实际应用中使用 collection_value_notifier 包:

import 'dart:math';
import 'package:collection_value_notifier/collection_value_notifier.dart';
import 'package:flutter/material.dart';

void main() {
  runApp(const MyApp());
}

class MyApp extends StatelessWidget {
  const MyApp({Key? key}) : super(key: key);

  [@override](/user/override)
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'Flutter Demo',
      theme: ThemeData(
        primarySwatch: Colors.blue,
      ),
      home: const MyHomePage(title: 'Collection Value Notifier Example'),
    );
  }
}

class MyHomePage extends StatefulWidget {
  const MyHomePage({Key? key, required this.title}) : super(key: key);

  final String title;

  [@override](/user/override)
  State<MyHomePage> createState() => _MyHomePageState();
}

class _MyHomePageState extends State<MyHomePage> {
  final ListNotifier<int> _listNotifier = ListNotifier([0, 1, 2]);
  final SetNotifier<int> _setNotifier = SetNotifier({0, 1, 2});
  final MapNotifier<String, int> _mapNotifier = MapNotifier({'A': 0, 'B': 1, 'C': 2});

  void _incrementCounter() {
    _listNotifier.syncEditBlock((list) {
      list.shuffle(Random());
      return list;
    });

    _setNotifier.syncEditBlock((set) {
      Random random = Random();
      final result = set.union(<int>{random.nextInt(9)});
      if (result.length > 3) {
        result.remove(result.first);
      }
      return result;
    });

    _mapNotifier.syncEditBlock((map) {
      map['A'] = Random().nextInt(9);
      map['B'] = Random().nextInt(9);
      map['C'] = Random().nextInt(9);
      return map;
    });
  }

  [@override](/user/override)
  Widget build(BuildContext context) {
    final style = Theme.of(context).textTheme.titleMedium;
    return Scaffold(
      appBar: AppBar(
        title: Text(widget.title),
      ),
      body: Center(
        child: Column(
          mainAxisAlignment: MainAxisAlignment.center,
          children: <Widget>[
            Padding(
              padding: const EdgeInsets.symmetric(horizontal: 16.0),
              child: Text(
                'Collections rebuild when they have changed without calling setState.',
                style: style,
              ),
            ),
            const Padding(padding: EdgeInsets.only(top: 16.0)),
            Text(
              'You have shuffled the list:',
              style: style,
            ),
            ListWidget(listListenable: _listNotifier),
            const Padding(padding: EdgeInsets.only(top: 16.0)),
            Text(
              'You have randomized a set:',
              style: style,
            ),
            SetWidget(setListenable: _setNotifier),
            const Padding(padding: EdgeInsets.only(top: 16.0)),
            Text(
              'You have randomized map values:',
              style: style,
            ),
            MapWidget(mapListenable: _mapNotifier),
          ],
        ),
      ),
      floatingActionButton: FloatingActionButton.extended(
        tooltip: 'Randomize the values',
        onPressed: _incrementCounter,
        label: const Text('Randomize'),
        icon: const Icon(Icons.numbers),
      ),
    );
  }

  [@override](/user/override)
  void dispose() {
    _listNotifier.dispose();
    _setNotifier.dispose();
    _mapNotifier.dispose();
    super.dispose();
  }
}

class ListWidget extends StatelessWidget {
  final ListListenable<int> listListenable;

  const ListWidget({Key? key, required this.listListenable}) : super(key: key);

  [@override](/user/override)
  Widget build(BuildContext context) {
    final style = Theme.of(context).textTheme.headlineMedium;
    return ListListenableBuilder<int>(
      valueListenable: listListenable,
      builder: (context, list, _) {
        return Text('$list', style: style);
      },
    );
  }
}

class SetWidget extends StatelessWidget {
  final SetListenable<int> setListenable;

  const SetWidget({Key? key, required this.setListenable}) : super(key: key);

  [@override](/user/override)
  Widget build(BuildContext context) {
    final style = Theme.of(context).textTheme.headlineMedium;
    return SetListenableBuilder<int>(
      valueListenable: setListenable,
      builder: (context, set, _) {
        return Text('$set', style: style);
      },
    );
  }
}

class MapWidget extends StatelessWidget {
  final MapListenable<String, int> mapListenable;

  const MapWidget({Key? key, required this.mapListenable}) : super(key: key);

  [@override](/user/override)
  Widget build(BuildContext context) {
    final style = Theme.of(context).textTheme.headlineMedium;
    return MapListenableBuilder<String, int>(
      valueListenable: mapListenable,
      builder: (context, map, _) {
        return Text('$map', style: style);
      },
    );
  }
}

更多关于Flutter集合值监听插件collection_value_notifier的使用的实战系列教程也可以访问 https://www.itying.com/category-92-b0.html

1 回复

更多关于Flutter集合值监听插件collection_value_notifier的使用的实战系列教程也可以访问 https://www.itying.com/category-92-b0.html


当然,下面是一个关于如何在Flutter中使用collection_value_notifier插件来监听集合值变化的代码示例。collection_value_notifier是一个用于监听集合变化的插件,可以很方便地在集合发生变化时通知监听者。

首先,确保你已经在pubspec.yaml文件中添加了collection_value_notifier依赖:

dependencies:
  flutter:
    sdk: flutter
  collection_value_notifier: ^x.y.z  # 请替换为最新版本号

然后,运行flutter pub get来安装依赖。

以下是一个完整的示例代码,展示了如何使用collection_value_notifier来监听列表的变化:

import 'package:flutter/material.dart';
import 'package:collection_value_notifier/collection_value_notifier.dart';

void main() {
  runApp(MyApp());
}

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      home: Scaffold(
        appBar: AppBar(
          title: Text('Collection Value Notifier Example'),
        ),
        body: CollectionNotifierExample(),
      ),
    );
  }
}

class CollectionNotifierExample extends StatefulWidget {
  @override
  _CollectionNotifierExampleState createState() => _CollectionNotifierExampleState();
}

class _CollectionNotifierExampleState extends State<CollectionNotifierExample> {
  // 创建一个带有初始值的CollectionValueNotifier
  final CollectionValueNotifier<List<String>> itemsNotifier =
      CollectionValueNotifier.list(["Item 1", "Item 2", "Item 3"]);

  @override
  Widget build(BuildContext context) {
    return Padding(
      padding: const EdgeInsets.all(16.0),
      child: Column(
        crossAxisAlignment: CrossAxisAlignment.start,
        children: [
          Text(
            'Items:',
            style: TextStyle(fontSize: 20),
          ),
          SizedBox(height: 8),
          // 使用CollectionValueNotifierBuilder来监听集合的变化
          CollectionValueNotifierBuilder<List<String>>(
            valueNotifier: itemsNotifier,
            builder: (context, items, updateFn) {
              return ListView.builder(
                itemCount: items.length,
                itemBuilder: (context, index) {
                  return ListTile(
                    title: Text(items[index]),
                    trailing: IconButton(
                      icon: Icon(Icons.delete),
                      onPressed: () {
                        // 移除一个元素
                        updateFn((list) => {
                          list.removeAt(index);
                        });
                      },
                    ),
                  );
                },
              );
            },
          ),
          SizedBox(height: 24),
          TextField(
            decoration: InputDecoration(labelText: 'Add new item'),
            onSubmitted: (newItem) {
              // 添加一个新元素
              itemsNotifier.update((list) => {
                list.add(newItem);
              });
            },
          ),
        ],
      ),
    );
  }
}

代码解释:

  1. 依赖添加:在pubspec.yaml文件中添加collection_value_notifier依赖。

  2. 创建CollectionValueNotifier:在_CollectionNotifierExampleState中,创建一个CollectionValueNotifier<List<String>>实例,并初始化为包含三个字符串的列表。

  3. 使用CollectionValueNotifierBuilder:使用CollectionValueNotifierBuilder来监听itemsNotifier的变化。当集合发生变化时,builder函数会被调用,并传入当前的集合值和一个updateFn函数用于更新集合。

  4. 更新集合:在ListView.builderIconButtononPressed回调中,使用updateFn来移除列表中的元素。在TextFieldonSubmitted回调中,使用itemsNotifier.update来添加新元素。

这个示例展示了如何使用collection_value_notifier来监听列表的变化,并在UI中动态地显示和更新列表内容。希望这对你有所帮助!

回到顶部