弹性布局允许子组件按照一定比例来分配父容器空间,弹性布局的概念在其它UI系统中也都存在,如H5中的弹性盒子布局以及Android中的FlexboxLayout
等。Flutter中的弹性布局主要通过Flex
和Expanded
来配合实现。
Flex
Flex
组件可以沿着水平或垂直方向排列子组件,如果你知道主轴方向,使用Row
或Column
会方便一些,因为Row
和Column
都继承自Flex
,参数基本相同,所以能使用Flex
的地方基本上都可以使用Row
或Column
。Flex
本身功能是很强大的,它也可以和Expanded
组件配合实现弹性布局。接下来,介绍一下Flex
与弹性布局相关的属性(其它属性已经在介绍Row
和Column
时描述过了,在此就不再赘述了)。
Flex({
...
@required this.direction, //弹性布局的方向, Row默认为水平方向,Column默认为垂直方向
List<Widget> children = const <Widget>[],
})
Flex
继承自MultiChildRenderObjectWidget
,对应的RenderObject
为RenderFlex
,RenderFlex
中实现了其布局算法。
Expanded
可以按比例“扩伸”Row
、Column
和Flex
子组件所占用的空间。
const Expanded({
int flex = 1,
@required Widget child,
})
flex
参数为弹性系数,如果值为0
或null
,则child
是没有弹性的,即不会被扩伸占用的空间。如果大于0,所有的Expanded
按照其flex
的比例来分割主轴的全部空余空间,例如:
Column(
children: <Widget>[
//Flex的两个子组件按1:2来占据水平空间
Flex(
direction: Axis.horizontal,
children: <Widget>[
Expanded(
flex: 1,
child: Container(
height: 30.0,
color: Colors.blue,
),
),
Expanded(
flex: 2,
child: Container(
height: 30.0,
color: Colors.green,
),
),
],
),
Padding(
padding: const EdgeInsets.only(top: 20),
child: SizedBox(
height: 100.0,
//Flex的三个子组件,在垂直方向按2:1:1来占用高度为100像素的空间
child: Flex(
direction: Axis.vertical,
children: <Widget>[
Expanded(
flex: 2,
child: Container(
color: Colors.purple,
),
),
Spacer(
flex: 1,
),
Expanded(
flex: 1,
child: Container(
color: Colors.red,
),
),
],
),
),
),
],
),
运行效果如下:

示例中的Spacer
的功能是占用指定比例的空间,实际上它只是Expanded
的一个包装类,Spacer
的源码如下:
class Spacer extends StatelessWidget {
const Spacer({Key key, this.flex = 1})
: assert(flex != null),
assert(flex > 0),
super(key: key);
final int flex;
@override
Widget build(BuildContext context) {
return Expanded(
flex: flex,
child: const SizedBox.shrink(),
);
}
}
总的来说,弹性布局还是比较简单,唯一需要注意的就是Row
、Column
以及Flex
的关系。