Flutter 布局类组件:弹性布局(Flex)
前言
弹性布局允许子组件按照一定比例来分配父容器空间,Flutter中的弹性布局主要通过Flex和Expanded来配合实现。
Flex
Flex组件可以沿着水平或垂直方向排列子组件,如果你知道主轴方向,使用Row或Column会方便一些,因为Row和Column都继承自Flex,参数基本相同,所以能使用Flex的地方基本上都可以使用Row或Column。Flex本身功能是很强大的,它也可以和Expanded组件配合实现弹性布局。Flex继承自MultiChildRenderObjectWidget,对应的RenderObject为RenderFlex,RenderFlex中实现了其布局算法。
Flex接口描述
Flex({
Key key,
// 弹性布局的方向, Row默认为水平方向,Column默认为垂直方向
@required this.direction,
// 以下同线性布局
this.mainAxisAlignment = MainAxisAlignment.start,
this.mainAxisSize = MainAxisSize.max,
this.crossAxisAlignment = CrossAxisAlignment.center,
this.textDirection,
this.verticalDirection = VerticalDirection.down,
this.textBaseline,
List<Widget> children = const <Widget>[],
})
Expanded
可以按比例“扩伸” Row、Column和Flex子组件所占用的空间。
Expanded接口描述
const Expanded({
Key key,
// 参数为弹性系数,如果为0或null,则child是没有弹性的,即不会被扩伸占用的空间。
// 如果大于0,所有的Expanded按照其flex的比例来分割主轴的全部空闲空间。
int flex = 1,
@required Widget child,
})
代码示例
import 'package:flutter/material.dart';
class FlexTest extends StatelessWidget {
@override
Widget build(BuildContext context) {
return Column(
children: <Widget>[
// Flex的两个子widget按1:2来占据水平空间
Flex(
direction: Axis.horizontal,
children: <Widget>[
Expanded(
flex: 1,
child: Container(
height: 30.0,
color: Colors.red,
),
),
Expanded(
flex: 2,
child: Container(
height: 30.0,
color: Colors.green,
),
)
],
),
Padding(
padding: const EdgeInsets.only(top: 20.0),
child: SizedBox(
height: 100.0,
// Flex的三个子widget,在垂直方向按2:1:1来占用100像素的空间
child: Flex(
direction: Axis.vertical,
children: <Widget>[
Expanded(
flex: 2,
child: Container(
height: 30.0,
color: Colors.red,
),
),
// 占用指定比例的空间,实际上它只是Expanded的一个包装类
Spacer(
flex: 1,
),
Expanded(
flex: 1,
child: Container(
height: 30.0,
color: Colors.green,
),
)
],
),
),
)
],
);
}
}