概念
StatelessWidget 是一个不随着用户交互而改变状态的控件。它常用在没有什么交互的布局中。
build 方法
继承 StatelessWidget ,必须要重写 build 方法,这个 build 方法会携带一个 BuildContext 参数。另外 build 方法返回一个 Widget 值,也就是我们自定义的无状态的布局。如 Hello World 里面的 MyApp
void main() => runApp(new MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
print("StatelessWidget----build");
return new MaterialApp(
title: 'Flutter Demo',
theme: new ThemeData(
primarySwatch: Colors.blue,
),
home: new MyHomePage(title: 'Flutter Demo Home Page'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => new _MyHomePageState();
}
class _MyHomePageState extends State<MyHomePage> {
int _counter = 0;
void _incrementCounter() {
setState(() {
_counter++;
});
}
@override
Widget build(BuildContext context) {
print("StatefulWidget----build");
return new Scaffold(
appBar: new AppBar(
title: new Text(widget.title),
),
body: new Center(
child: new Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
new Text(
'$_counter',
),
],
),
),
floatingActionButton: new FloatingActionButton(
onPressed: _incrementCounter,
tooltip: 'Increment',
child: new Icon(Icons.add),
),
);
}
}
打印结果如下:
08-10 09:31:55.829 3034-3051/com.example.flutter_app I/flutter: StatelessWidget----MyApp
08-10 09:31:56.527 3034-3051/com.example.flutter_app I/flutter: StatelessWidget----build
08-10 09:31:56.603 3034-3051/com.example.flutter_app I/flutter: StatefulWidget----MyHomePage
08-10 09:31:57.260 3034-3051/com.example.flutter_app I/flutter: StatefulWidget----build
08-10 09:32:39.279 3034-3051/com.example.flutter_app I/flutter: StatefulWidget----build
08-10 09:32:39.502 3034-3051/com.example.flutter_app I/flutter: StatefulWidget----build
08-10 09:32:39.724 3034-3051/com.example.flutter_app I/flutter: StatefulWidget----build
08-10 09:32:40.117 3034-3051/com.example.flutter_app I/flutter: StatefulWidget----build
StatelessWidget 的 构造方法 和 build 方法之会创建一次,不会随着子节点StatefulWidget 控件的状态改变而重构布局。 所以它适合放在布局嵌入比较深的布局节点,尽量多使用 StatelessWidget。
BuildContext
这个 BuildContext 出现在 StatelessWidget.build 方法里面, 常使用于比如:
- showDialog的使用
showDialog(
context: context,
builder: (context) {
return new Text('showDialog');
});
- Theme.of(context)
- Scaffold.of(context)
- Navigator.push(context, route)
- Localizations.of(context, type)
BuildContext记住一点:
BuildContext 就是 Widget 对应的 Element ,BuildContext 是操作 Element 的工具。
比如 StatelessWidget 源码路径为:
@override
StatelessElement createElement() => StatelessElement(this);
@override
Widget build() => widget.build(this);
this -> ComponentElement -> Element
abstract class Element extends DiagnosticableTree implements BuildContext {
...
}
为什么要 BuildContext 的存在
BuildContext 就是一个 Element ,Widget 层并不能完全屏蔽 Element 细节。所以就在 Widget 的 build 方法里面传给开发者。
BuildContext,Element,Widget,RejectObject 的关系
BuildContext 是一个 Widget 对应的 Element ,Element 是 UI 内部连接 Widget 和 RejectObject 的中介。RenderObject 主要负责 UI 的布局和渲染。