how to create a row of scrollable text boxes or widgets in flutter inside a ListView?

前端 未结 6 1061
悲哀的现实
悲哀的现实 2021-01-01 11:46

1.Please, can someone tell me how to create a row of text boxes that are scrollable to left or right in flutter inside a ListView. I can see that I am trying to define an in

相关标签:
6条回答
  • 2021-01-01 11:50

    For a row/column to scroll you can simply use the SingleChildScrollView feature and mention the direction as required.

    SingleChildScrollView(
        scrollDirection: Axis.horizontal,
        child: Row(
            children: [
                //provide all the things u want to horizontally scroll here
            ]
        ),
    );
    
    0 讨论(0)
  • 2021-01-01 11:50

    You might want to create Nested ListView

    In order to try this example, all you need to do is to copy-paste the below code into main.dart file of your freshly created flutter project.

    class MyApp extends StatelessWidget {
      @override
      Widget build(BuildContext context) {
        final title = "Nested ListView List";
    
        List<Choice> choices = const <Choice>[
          const Choice(
              title: 'MacBook Pro',
              date: '1 June 2019',
              description:
              'MacBook Pro (sometimes abbreviated as MBP) is a line of Macintosh portable computers introduced in January 2006 by Apple Inc.',
              imglink:
              'https://images.unsplash.com/photo-1517694712202-14dd9538aa97?ixlib=rb-1.2.1&ixid=eyJhcHBfaWQiOjEyMDd9&auto=format&fit=crop&w=500&q=60'),
          const Choice(
              title: 'MacBook Air',
              date: '1 June 2016',
              description:
              'MacBook Air is a line of laptop computers developed and manufactured by Apple Inc. It consists of a full-size keyboard, a machined aluminum case, and a thin light structure.',
              imglink:
              'https://images.unsplash.com/photo-1499673610122-01c7122c5dcb?ixlib=rb-1.2.1&ixid=eyJhcHBfaWQiOjEyMDd9&auto=format&fit=crop&w=500&q=60'),
          const Choice(
              title: 'iMac',
              date: '1 June 2019',
              description:
              'iMac is a family of all-in-one Macintosh desktop computers designed and built by Apple Inc. It has been the primary part of Apple consumer desktop offerings since its debut in August 1998, and has evolved through seven distinct forms.',
              imglink:
              'https://images.unsplash.com/photo-1517059224940-d4af9eec41b7?ixlib=rb-1.2.1&ixid=eyJhcHBfaWQiOjEyMDd9&auto=format&fit=crop&w=500&q=60'),
          const Choice(
              title: 'Mac Mini',
              date: '1 June 2017',
              description:
              'Mac mini (branded with lowercase "mini") is a desktop computer made by Apple Inc. One of four desktop computers in the current Macintosh lineup, along with the iMac, Mac Pro, and iMac Pro, it uses many components usually featured in laptops to achieve its small size.',
              imglink:
              'https://www.apple.com/v/mac-mini/f/images/shared/og_image__4mdtjbfhcduu_large.png?201904170831'),
          const Choice(
              title: 'Mac Pro',
              date: '1 June 2018',
              description:
              'Mac Pro is a series of workstation and server computer cases designed, manufactured and sold by Apple Inc. since 2006. The Mac Pro, in most configurations and in terms of speed and performance, is the most powerful computer that Apple offers.',
              imglink:
              'https://i0.wp.com/9to5mac.com/wp-content/uploads/sites/6/2017/01/mac-pro-2-concept-image.png?resize=1000%2C500&quality=82&strip=all&ssl=1'),
        ];
    
        return MaterialApp(
            title: title,
            home: Scaffold(
                appBar: AppBar(
                  title: Text(title),
                ),
                body:
                ListView(
                    children: [
                      Container(
                        height: 300.0,
                        child: ListView(
                            scrollDirection: Axis.horizontal,
                            shrinkWrap: true,
                            padding: const EdgeInsets.all(20.0),
                            children: List.generate(choices.length, (index) {
                              return Center(
                                child: ChoiceCard(
                                    choice: choices[index], item: choices[index]),
                              );
                            })),
                      ),
                      Container(
                        height: 300.0,
    
                        child: ListView(
                            scrollDirection: Axis.horizontal,
                            shrinkWrap: true,
                            padding: const EdgeInsets.all(20.0),
                            children: List.generate(choices.length, (index) {
                              return Center(
                                child: ChoiceCard(
                                    choice: choices[index], item: choices[index]),
                              );
                            })),
                      ),
                      Container(
                        height: 300.0,
    
                        child: ListView(
                            scrollDirection: Axis.horizontal,
                            shrinkWrap: true,
                            padding: const EdgeInsets.all(20.0),
                            children: List.generate(choices.length, (index) {
                              return Center(
                                child: ChoiceCard(
                                    choice: choices[index], item: choices[index]),
                              );
                            })),
                      ),
                    ])));
      }
    }
    
    class Choice {
      final String title;
      final String date;
      final String description;
      final String imglink;
    
      const Choice({this.title, this.date, this.description, this.imglink});
    }
    
    class ChoiceCard extends StatelessWidget {
      const ChoiceCard(
          {Key key,
            this.choice,
            this.onTap,
            @required this.item,
            this.selected: false})
          : super(key: key);
    
      final Choice choice;
      final VoidCallback onTap;
      final Choice item;
      final bool selected;
    
      @override
      Widget build(BuildContext context) {
        TextStyle textStyle = Theme.of(context).textTheme.display1;
        if (selected)
          textStyle = textStyle.copyWith(color: Colors.lightGreenAccent[400]);
        return Card(
            color: Colors.white,
            child: Column(
              children: <Widget>[
                new Expanded(
                    child: Container(
                      width: 260.0,
                      height: 260.0,
                      child: Image.network(choice.imglink),
                    )),
                new Container(
                  width: 260.0,
                  padding: const EdgeInsets.all(10.0),
                  child: Column(
                    mainAxisAlignment: MainAxisAlignment.spaceEvenly,
                    crossAxisAlignment: CrossAxisAlignment.start,
                    children: <Widget>[
                      Text(choice.title, style: Theme.of(context).textTheme.title),
                      Text(choice.date,
                          style: TextStyle(color: Colors.black.withOpacity(0.5))),
                      Text(choice.description),
                    ],
                  ),
                )
              ],
              crossAxisAlignment: CrossAxisAlignment.start,
            ));
      }
    }
    

    Based on :Nested ListView

    0 讨论(0)
  • 2021-01-01 11:51

    I have done this to make my Row widget scrollable:

    Text("Debilidades",
        style: TextStyle(fontWeight: FontWeight.bold)),
    SingleChildScrollView(
      scrollDirection: Axis.horizontal,
      padding: EdgeInsets.fromLTRB(10.0, 0.0, 10.0, 0.0),
      child: Row(
          mainAxisAlignment: MainAxisAlignment.spaceEvenly,
          children: pokemon.weaknesses == null
              ? <Widget>[
                  Text(
                    "No tiene debilidades",
                    style: TextStyle(color: Colors.grey),
                  )
                ]
              : pokemon.weaknesses
                  .map((weakness) => FilterChip(
                      backgroundColor: Colors.red,
                      label: Text(
                        weakness,
                        style: TextStyle(color: Colors.white),
                      ),
    
                      onSelected: (b) {}))
                  .toList()),
    ),
    

    0 讨论(0)
  • 2021-01-01 11:56

    I think this is straightforward as long as you put a container of fixed height on your horizontal ListView. But maybe I'm not understanding your question. Please post your code and the error message you're getting if this doesn't work.

    import 'package:flutter/material.dart';
    import 'package:flutter/gestures.dart';
    import 'dart:collection';
    
    void main() {
      runApp(new MaterialApp(home: new DemoApp()));
    }
    
    class DemoApp extends StatelessWidget {
      @override
      Widget build(BuildContext context) {
        return new Scaffold(
          appBar: new AppBar(title: new Text('Nested ListView Example')),
          body: new Center(
            child: new ListView(
              children: <Widget>[
                new Container(
                  height: 80.0,
                  child: new ListView(
                    scrollDirection: Axis.horizontal,
                    children: new List.generate(10, (int index) {
                      return new Card(
                        color: Colors.blue[index * 100],
                        child: new Container(
                          width: 50.0,
                          height: 50.0,
                          child: new Text("$index"),
                        ),
                      );
                    }),
                  ),
                ),
              ],
            ),
          ),
        );
      }
    }
    
    0 讨论(0)
  • 2021-01-01 11:57

    I have managed to do this by using ListView.builder()

    Here is the full code:

    import 'package:flutter/material.dart';
    
    
    void main() {
      runApp(new MaterialApp(
          home: new MyApp()));
    }
    
    class MyApp extends StatefulWidget {
      @override
      State<StatefulWidget> createState() {
        return new _MyAppState();
      }
    }
    
    class _MyAppState extends State<MyApp> {
    
      @override
      Widget build(BuildContext context) {
        return new Scaffold(
            appBar: new AppBar(
              title: new Text("Scroll on the Horizon"),
              centerTitle: true,
            ),
            body: new ListView.builder(
              scrollDirection: Axis.horizontal,
              itemBuilder: (BuildContext context, int index) {
                return new Row(
                  children: <Widget>[
                    new Text("Let ", style: new TextStyle(color: Colors.blue),),
                    new Text("me ", style: new TextStyle(color: Colors.red)),
                    new Text("scroll ", style: new TextStyle(color: Colors.green)),
                    new Text("horizontally ",
                        style: new TextStyle(color: Colors.orange)),
                    new Text("Let ", style: new TextStyle(color: Colors.blue),),
                    new Text("me ", style: new TextStyle(color: Colors.red)),
                    new Text("scroll ", style: new TextStyle(color: Colors.green)),
                    new Text("horizontally ",
                        style: new TextStyle(color: Colors.orange)),
                    new Text("Let ", style: new TextStyle(color: Colors.blue),),
                    new Text("me ", style: new TextStyle(color: Colors.red)),
                    new Text("scroll ", style: new TextStyle(color: Colors.green)),
                    new Text("horizontally ",
                        style: new TextStyle(color: Colors.orange)),
                    new Text("Let ", style: new TextStyle(color: Colors.blue),),
                    new Text("me ", style: new TextStyle(color: Colors.red)),
                    new Text("scroll ", style: new TextStyle(color: Colors.green)),
                    new Text("horizontally ",
                        style: new TextStyle(color: Colors.orange)),
    
                  ],
    
                );
              },
    
    
            ));
      }
    
    }
    

    Do not forget to set scrollDirection property to Axis.horizontal, since it is defaulted to the vertical value.

    0 讨论(0)
  • 2021-01-01 12:06

    You can use:

    @override
    Widget build(BuildContext context) {
      return Column(
        children: <Widget>[
          SizedBox( // Horizontal ListView
            height: 100,
            child: ListView.builder(
              itemCount: 20,
              scrollDirection: Axis.horizontal,
              itemBuilder: (context, index) {
                return Container(
                  width: 100,
                  alignment: Alignment.center,
                  color: Colors.blue[(index % 9) * 100],
                  child: Text(index.toString()),
                );
              },
            ),
          ),
          SizedBox( // Vertical ListView
            height: 200,
            child: ListView.builder(
              itemCount: 20,
              itemBuilder: (context, index) {
                return Container(
                  width: 50,
                  height: 50,
                  alignment: Alignment.center,
                  color: Colors.orange[(index % 9) * 100],
                  child: Text(index.toString()),
                );
              },
            ),
          ),
        ],
      );
    }
    

    Note: For simplicity I didn't refactor the two ListView in a single Widget

    Output

    0 讨论(0)
提交回复
热议问题