- widget管理自己的state (这个都懂蛤)
- 父widget管理 widget状态
- 混搭管理(父widget和widget自身都管理状态)
模板代码记录,没啥业务含量和技术含义,只是方便以后抄作业
代码如下:
// 父widget管理widget的state
import 'package:flutter/material.dart';
class ParentWidget extends StatefulWidget {
const ParentWidget({super.key});
State<StatefulWidget> createState() {
return _ParentWidgetState();
}
}
class _ParentWidgetState extends State<ParentWidget> {
bool _active = false;
void _handleTapboxChanged(bool newValue) {
setState(() {
_active = newValue;
});
}
Widget build(BuildContext context) {
return TapboxB(
active: _active,
onChanged: _handleTapboxChanged,
);
}
}
class TapboxB extends StatelessWidget {
const TapboxB({super.key, this.active = false, required this.onChanged});
final bool active;
final ValueChanged<bool> onChanged;
void _handleTap() {
onChanged(!active);
}
Widget build(BuildContext context) {
return GestureDetector(
onTap: _handleTap,
child: Container(
width: 200.0,
height: 200.0,
decoration: BoxDecoration(
color: active ? Colors.lightGreen[700] : Colors.grey[600],
),
child: Center(
child: Text(
active ? 'Active' : 'Inactive',
style: TextStyle(fontSize: 32.0, color: Colors.white),
),
),
),
);
}
}