Links: Flutter

Stateful widgets are dynamic and can change over time. They can be used for UI components that need to reflect varying data or respond to user interactions.

Parameters

Parameters are passed through the constructor of the stateful widget.
you can access them with widget.parameter

Best practices

Use stateful widgets when the UI needs to change dynamically.
Keep immutable properties in the widget’s constructor and mutable state in the State class
Use setState() to update mutable state and trigger rebuilds.

Example

class MyWidget extends StatefulWidget {
  final String text;
  const MyWidget({Key? key, required this.text}) : super(key: key);
 
  @override
  State<MyWidget> createState() => _MyWidgetState();
}
 
class _MyWidgetState extends State<MyWidget> {
  bool _isExpanded = false;
 
  void _toggleExpand() {
    setState(() {
      _isExpanded = !_isExpanded;
    });
  }
 
  @override
  Widget build(BuildContext context) {
    return GestureDetector(
      onTap: _toggleExpand,
      child: Text(widget.text),
    );
  }
}