Flutter:根据某些条件过滤列表[已关闭]

pes8fvy9  于 2022-11-17  发布在  Flutter
关注(0)|答案(4)|浏览(136)

**已关闭。**此问题需要debugging details。当前不接受答案。

编辑问题以包含desired behavior, a specific problem or error, and the shortest code necessary to reproduce the problem。这将有助于其他人回答问题。
四个月前关门了。
机构群体在4个月前审查了是否重新讨论此问题,并将其关闭:
原始关闭原因未解决
Improve this question
我有一个电影列表。它包含所有动画电影和非动画电影。为了确定它是否是动画电影,有一个名为isAnimated的标志。
我想只显示动画电影。我已经写了代码来过滤掉动画电影,但得到一些错误。

import 'package:flutter/material.dart';

void main() => runApp(new MyApp());

class MyApp extends StatelessWidget {
  // This widget is the root of your application.
  @override
  Widget build(BuildContext context) {
    return new MaterialApp(
      title: 'Flutter Demo',
      theme: new ThemeData(

        primarySwatch: Colors.blue,
      ),
      home: new HomePage(),
    );
  }
}

class Movie {
  Movie({this.movieName, this.isAnimated, this.rating});
  final String movieName;
  final bool isAnimated;
  final double rating;
}

List<Movie> AllMovies = [
  new Movie(movieName: "Toy Story",isAnimated: true,rating: 4.0),
  new Movie(movieName: "How to Train Your Dragon",isAnimated: true,rating: 4.0),
  new Movie(movieName: "Hate Story",isAnimated: false,rating: 1.0),
  new Movie(movieName: "Minions",isAnimated: true,rating: 4.0),
];


class HomePage extends StatefulWidget{
  @override
  _homePageState createState() => new _homePageState();
}

class _homePageState extends State<HomePage> {

  List<Movie> _AnimatedMovies = null;

  @override
  void initState() {
    super.initState();
    _AnimatedMovies = AllMovies.where((i) => i.isAnimated);
  }

  @override
  Widget build(BuildContext context) {
    return new Scaffold(
      body: new Container(
        child: new Text(
            "All Animated Movies here"
        ),
      ),
    );
  }
}

h5qlskok

h5qlskok1#

缺少toList(),无法具体化结果

_AnimatedMovies = AllMovies.where((i) => i.isAnimated).toList();
o4hqfura

o4hqfura2#

解决方案就在这里

只需尝试使用此函数getCategoryList(),
这里的条件将是catogory_id == '1'从列表

List<dynamic> getCategoryList(List<dynamic> inputlist) {
    List outputList = inputlist.where((o) => o['category_id'] == '1').toList();
    return outputList;
  }
ljo96ir5

ljo96ir53#

您可以将此用于特定条件

List<String> strings = ['one', 'two', 'three', 'four', 'five'];
List<String> filteredStrings  = strings.where((item) {
   return item.length == 3;
});
pgvzfuti

pgvzfuti4#

如果函数在List上返回Iterable,则必须使用函数List.from(Iterable)将其转换为List。
因此,在上面的场景中,您应该使用下面的代码片段。

Iterable _AnimatedMoviesIterable = AllMovies.where((i) => i.isAnimated);

_AnimatedMovies = List.from(_AnimatedMoviesIterable);

编辑:
根据Günter Zöchbauer的解决方案,我们可以使用单行而不是多行。

_AnimatedMovies = AllMovies.where((i) => i.isAnimated).toList();

相关问题