Reputation: 384
I am using a FutureBuilder with two downloads and putting each index to a list to load/show them in my app. With null safety there is an error:
The method '[]' can't be unconditionally invoked because the receiver can be 'null'.
Try making the call conditional (using '?.') or adding a null check to the target ('!').
How can i solve this error in the snapshot (snapshot.data[0])? Thanks for help.
FutureBuilder(
future: Future.wait([downloadsuche(), downloadsuchvorschlag()]),
builder: (context, snapshot) {
if (snapshot.hasData) {
//List<AdressSuche> adresse = snapshot.data;
List<AdressSuche> adresse = snapshot.data[0];
List<AdressSuche> sv1 = snapshot.data[1];
return IconButton(
icon: const Icon(Icons.search),
onPressed: () {
showSearch(context: context, delegate: DataSearch(adresse, sv1));
},
);
} else if (snapshot.hasError) {
return IconButton(icon: const Icon(Icons.search), onPressed: () {});
//return RefreshIndicator(onRefresh: _refreshdata, child: Center(child: CircularProgressIndicator()));
}
return IconButton(icon: const Icon(Icons.search), onPressed: () {});
},
),
Upvotes: 0
Views: 1057
Reputation: 2282
Simply add '!' after snapshot.data as snapshot.data may be null.
FutureBuilder(
future: Future.wait([downloadsuche(), downloadsuchvorschlag()]),
builder: (context, snapshot) {
if (snapshot.hasData) {
//List<AdressSuche> adresse = snapshot.data!;
List<AdressSuche> adresse = snapshot.data![0]; //add '!' over here
List<AdressSuche> sv1 = snapshot.data![1]; // and here
return IconButton(
icon: const Icon(Icons.search),
onPressed: () {
showSearch(context: context, delegate: DataSearch(adresse, sv1));
},
);
} else if (snapshot.hasError) {
return IconButton(icon: const Icon(Icons.search), onPressed: () {});
//return RefreshIndicator(onRefresh: _refreshdata, child: Center(child: CircularProgressIndicator()));
}
return IconButton(icon: const Icon(Icons.search), onPressed: () {});
},
),
Upvotes: 0
Reputation: 49
Replace
List<AdressSuche> adresse = snapshot.data[0];
List<AdressSuche> sv1 = snapshot.data[1];
With
var list = snapshot.data! as List;
List<dynamic> adresse = list[0];
List<dynamic> sv1 = list[1];
Upvotes: 1
Reputation: 268504
Replace
List<AdressSuche> adresse = snapshot.data[0];
List<AdressSuche> sv1 = snapshot.data[1];
with
var adresse = (snapshot.data as List)[0] as List<AdressSuche>;
var sv1 = (snapshot.data as List)[1] as List<AdressSuche>;
Upvotes: 3