Как выбрать отдельные листы трепетания для выбранного значка с помощью onPressed? - PullRequest
0 голосов
/ 12 февраля 2020

Вот весь код, к которому я не могу добавить список избранного пользователя. Я просто хочу, чтобы значок сердца менял цвет при выборе в качестве избранного, а затем pu sh сохраненный избранный элемент на сохраненную страницу избранного.

Я понятия не имею, что еще делать, так как я должен использовать itemLength. Это не представляется возможным с Streambuilder.

class Books extends StatefulWidget {
@override
_BooksState createState() => _BooksState();
}

class _BooksState extends State<Books> {
var firestoreDb = Firestore.instance.collection("books").snapshots();


static final int _itemLength = snapshot.data.documents[index]['title'].length;
List<bool> _isFavorited = List<bool>.generate(_itemLength, (_) => false);


@override
Widget build(BuildContext context) {
return Scaffold(
  appBar: AppBar(
    title: Row(
        mainAxisAlignment: MainAxisAlignment.spaceEvenly,
        children: <Widget>[
          Container(
              padding: const EdgeInsets.all(8.0),
              child: Text(
                'Book List',
                style: GoogleFonts.lato(
                  fontSize: 22.0,
                  color: Colors.amberAccent.shade50,
                ),
              )),
          IconButton(
            icon: Icon(MdiIcons.gift, color: Color(0xffffe0b2), size: 32.0),
            onPressed: () {
              _launchURL();
            },
          ),
        ]),
    backgroundColor: Colors.lightBlue,
    elevation: 50.0,
  ), //AppBar

  body: Container(
    width: MediaQuery.of(context).size.width,
    child: StreamBuilder(
        stream: firestoreDb,
        builder: (context, snapshot) {
          if (!snapshot.hasData) Text('Loading...');
          return StaggeredGridView.countBuilder(
            crossAxisCount: 2,
            mainAxisSpacing: 1.0,
            crossAxisSpacing: 1.0,
            padding: EdgeInsets.symmetric(horizontal: 2.0, vertical: 6.0),
            shrinkWrap: true,
            itemCount: snapshot.data.documents.length,
            itemBuilder: (context, int index) => Container(
              child: Column(
                children: <Widget>[
                  Card(
                    color: Colors.white,
                    shape: RoundedRectangleBorder(
                      borderRadius: BorderRadius.circular(12.0),
                    ),

                    child: Column(children: <Widget>[
                      ListTile(
                        title: Text(
                          '${(snapshot.data.documents[index]['title'])}',
                          style: GoogleFonts.lato(
                            fontSize: 20.0,
                            height: 1.2,
                            fontWeight: FontWeight.w500,
                          ),
                          textAlign: TextAlign.center,
                        ),

                        subtitle: Row(
                            mainAxisSize: MainAxisSize.max,
                            crossAxisAlignment: CrossAxisAlignment.start,
                            children: <Widget>[
                              Expanded(
                                child: IconButton(
                                  icon: Icon(
                                    Icons.share,
                                    color: Colors.amberAccent,
                                  ),
                                  onPressed: () => Share.share(
                                    '${(snapshot.data.documents[index]['title'])}',
                                  ),
                                ),
                              ),

                              Expanded(
                                child: IconButton(
                                  onPressed: () => setState(() =>
                                  _isFavorited[index] =
                                  !_isFavorited[index]),
                                  icon: _isFavorited[index]
                                      ? Icon(MdiIcons.heart,color: Colors.red)
                                      : Icon(MdiIcons.heartOutline,color: Colors.red,),
                                ),
                              ),

                              Expanded(
                                child: Text(
                                  '${(snapshot.data.documents[index]['subtitle'])}',
                                  textAlign: TextAlign.right,
                                  style: GoogleFonts.lato(
                                    fontSize: 13.0,
                                    fontWeight: FontWeight.w900,
                                    fontStyle: FontStyle.italic,
                                    color: Colors.blue,
                                  ),
                                ), //subtitle: Text
                              ),
                            ] //children
                        ), //Row
                      ), //listtile
                    ]),
                  ),
                ],
              ),
            ),
            staggeredTileBuilder: (int index) => StaggeredTile.fit(2),
          );
        }),
  ),
);
} //build
} //class

_launchURL() async {
const url = 'https://amazon.com';
if (await canLaunch(url)) {
await launch(url);
} else {
throw 'Could not launch $url';
}
}

1 Ответ

2 голосов
/ 12 февраля 2020

Вы должны сохранить значение _isFavorited для всех ListTiles. Так что bool _isFavorited должно быть List<bool> _isFavorited. Затем вы можете изменить логику IconButton c следующим образом:

Expanded(
    child: IconButton(
        icon: _isFavorited[index]
            ? Icon(Icons.star)
            : Icon(Icons.star_border),                     
        onPressed: () => setState(() => _isFavorited[index] = !_isFavorited[index]),
    ), 
),

Я создал демонстрационный пример для этого на DartPad

...