介绍

  • StatefulWidget是一种特殊类型的Widget,它可以持有状态并在状态发生变化重新构建自身。

为什么使用StatefulWidget

StatefulWidget在需要动态更新UI时非常有用。例如,当用户与应用程序交互或数据发生变化时,我们可以使用StatefulWidget来更新UI以反映这些更改。与StatelessWidget不同,StatefulWidget可以保存状态并根据需要重新构建自身。

示例代码

import 'package:flutter/material.dart';
 
class MyStatefulWidget extends StatefulWidget {
  @override
  _MyStatefulWidgetState createState() => _MyStatefulWidgetState();
}
 
class _MyStatefulWidgetState extends State<MyStatefulWidget> {
  int _counter = 0;
 
  void _incrementCounter() {
    setState(() {
      _counter++;
    });
  }
 
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text('Flutter StatefulWidget Example'),
      ),
      body: Center(
        child: Column(
          mainAxisAlignment: MainAxisAlignment.center,
          children: <Widget>[
            Text('Counter:',),
            Text(
              '$_counter',
              style: Theme.of(context).textTheme.headline4,
            ),
          ],
        ),
      ),
      floatingActionButton: FloatingActionButton(
        onPressed: _incrementCounter,
        tooltip: 'Increment',
        child: Icon(Icons.add),
      ),
    );
  }
}
 
void main() {
  runApp(MaterialApp(
    home: MyStatefulWidget(),
  ));
}

以上示例代码演示了一个简单的Flutter StatefulWidget。通过点击FloatingActionButton按钮,可以增加计数器的值并更新UI以反映更改。

在实际开发中,我们经常会使用StatefulWidget来管理应用程序的状态,并根据需要更新UI以提供更好的用户体验。