Description
I am honestly not sure at all if this is a bug or if I'm doing something wrong:
I know there's this documentation but I honestly cannot get to work what I want.
So I have one asynchronous riverpod notifier in my flutter app whose state yields a Future<List<CustomObject>?>
, like:
@Riverpod(keepAlive: true)
class MyCustomObjects extends _$MyCustomObjects {
@override
Future<List<CustomObject>?> build() async {
/// Some async code which returns either null or List<CustomObject>
}
This notifier then has notifier methods which modify the property of a specific CustomObject
in its list state.
Each CustomObject
has a unique int id
property.
What I now want to do is create a second provider which only triggers a refresh / rebuild when a CustomObject
of the MyCustomObjects
notifier of a specific id
changes any of its property values other than id
.
I've tried to implement such an additional provider in two ways and neither of them work and I really do not understand why:
part 'single_custom_object_provider.g.dart';
/// Provider holding state of single CustomObject
@riverpod
Future<CustomObject?> singleCustomObject(Ref ref, int customObjectsId) async {
return await ref.watch(
myCustomObjectsProvider.select(
(AsyncValue<List<CustomObject>?> value) => value
.whenData((List<CustomObject>? value) =>
value?.firstWhereOrNull((CustomObject customObject) {
print('performing ID check');
if (customObject.id == customObjectsId) {
print(customObject.propertyX);
return true;
}
return false;
}))
.value,
),
);
}
With the code above, even if I change the value of the propertyX
property of a specific CustomObject
with ID 12
in the myCustomObjectsProvider
, I get performing ID Check
printed a few times, and then the new value I provided for propertyX
in the flutter print output. So both the state update in the myCustomObjectsProvider
and also the recognition of the new value within the ref.watch
method of my singleCustomObjectProvider
work.
EVEN THOUGH, any ConsumerWidget
/ ConsumerStatefulWidget
calling
ref.watch(singleCustomObjectProvider(12))
within the top of its build
method never re-builds upon this.
If I instead use
ref.watch(myCustomObjectsProvider)
rebuilding works, but that's precisely what I want to avoid, as my widget screen only represents the data of a specific CustomObject
at the time.
I then tried
/// Provider holding state of single CustomObject
@riverpod
Future<CustomObject?> singleCustomObject(Ref ref, int customObjectsId) async {
return await ref.watch(myCustomObjectsProvider.selectAsync(
(objects) => objects?.firstWhere((customObject) {
print('performing ID check');
if (customObject.id == customObject) {
print(customObject.propertyX);
return true;
}
return false;
}),
));
}
Which yields the exact same result.
Help?