kodaira
kodaira

Reputation: 31

(Flutter/Riverpod) the example of StateProvider document was not updated

The example of StateProvider of Riverod is not yet updated.

https://pub.dev/documentation/riverpod/latest/riverpod/StateProvider-class.html

final selectedProductIdProvider = StateProvider<String?>((ref) => null);
final productsProvider = StateNotifierProvider<ProductsNotifier, List<Product>>(
    (ref) => ProductsNotifier());

Widget build(BuildContext context, WidgetRef ref) {
  final List<Product> products = ref.watch(productsProvider);
  final selectedProductId = ref.watch(selectedProductIdProvider);

  return ListView(
    children: [
      for (final product in products)
        GestureDetector(
          onTap: () => selectedProductId.state = product.id,
          child: ProductItem(
            product: product,
            isSelected: selectedProductId.state == product.id,
          ),
        ),
    ],
  );
}

Now that Riverpod has become v1 stable, the above code does not work any more.

Is the following the correct code for Riverpod v1 stable?

final selectedProductIdProvider = StateProvider<String?>((ref) => null);
final productsProvider = StateNotifierProvider<ProductsNotifier, List<Product>>(
    (ref) => ProductsNotifier());

class Foo2 extends ConsumerWidget {
  @override
  Widget build(BuildContext context, WidgetRef ref) {
    final List<Product> products = ref.watch(productsProvider);
    final String? selectedProductId = ref.watch(selectedProductIdProvider);
    final StateController<String?> selectedProductIdController =
        ref.watch(selectedProductIdProvider.notifier);

    return ListView(
      children: [
        for (final product in products)
          GestureDetector(
            onTap: () => selectedProductIdController.state = product.id,
            child: ProductItem(
              product: product,
              isSelected: selectedProductId == product.id,
            ),
          ),
      ],
    );
  }
}

Upvotes: 0

Views: 611

Answers (1)

R&#233;mi Rousselet
R&#233;mi Rousselet

Reputation: 277567

Oopsy!

Your code is correct, although you don't have to obtain the notifier inside build and could do it within onTap:

onTap: () => ref.read(selectedProductIdProvider.notifier).state = product.id,

Upvotes: 0

Related Questions