是否有一种简单的(非layoutbuilder)方法来相对于屏幕大小(宽/高)来调整元素的大小?例如:我如何设置CardView的宽度为屏幕宽度的65%。
它不能在构建方法内部完成(显然),所以它必须推迟到构建后。是否有一个更好的地方来放置这样的逻辑?
是否有一种简单的(非layoutbuilder)方法来相对于屏幕大小(宽/高)来调整元素的大小?例如:我如何设置CardView的宽度为屏幕宽度的65%。
它不能在构建方法内部完成(显然),所以它必须推迟到构建后。是否有一个更好的地方来放置这样的逻辑?
当前回答
MediaQuery.of(context).size.width
其他回答
MediaQuery.of(context).size.width
的宽度
double width = MediaQuery.of(context).size.width;
double yourWidth = width * 0.75;
身高
double height = MediaQuery.of(context).size.height;
double yourHeight = height * 0.75;
如果你不想要静态的高度和宽度,只需使用扩展小部件\
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({Key? key}) : super(key: key);
static const String _title = 'Flutter Code Sample';
@override
Widget build(BuildContext context) {
return const MaterialApp(
title: _title,
home: MyStatelessWidget(),
);
}
}
class MyStatelessWidget extends StatelessWidget {
const MyStatelessWidget({Key? key}) : super(key: key);
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Expanded Row Sample'),
),
body: Center(
child: Row(
children: <Widget>[
Expanded(
flex: 2,
child: Container(
color: Colors.amber,
height: 100,
),
),
Container(
color: Colors.blue,
height: 100,
width: 50,
),
Expanded(
child: Container(
color: Colors.amber,
height: 100,
),
),
],
),
),
);
}
}
如果你正在使用GridView,你可以使用Ian Hickson的解决方案。
crossAxisCount: MediaQuery.of(context).size.width <= 400.0 ? 3 : MediaQuery.of(context).size.width >= 1000.0 ? 5 : 4
您可以使用Align小部件。hightfactor和widthFactor参数乘以子部件的大小。下面是一个示例,它将创建一个具有%比例固定高度的小部件
Align(
alignment: Alignment.topCenter,
heightFactor: 0.63,
widthFactor: ,
child: Container(
width: double.infinity,
),
我很惊讶没有人建议在2023年使用LayoutBuilder,它可以让你访问父类的宽度BoxConstraints.constraints。maxWidth,这是最通用的方法。
Expanded只能设置可用间距的百分比,但是如果你真的想要根据实际的父窗口小部件设置一个百分比,而不是整个屏幕宽度,如果在一行中有一个固定宽度的窗口小部件,甚至更复杂,如果你还想要一个Expanded来展开剩下的行呢?
.size MediaQuery.of(上下文)。宽度是相对于整个屏幕,而不是实际的父屏幕。
FractionallySizedBox的工作原理类似,但你不能把它放在Row
同时,该方法可以很好地模拟CSS %的度量单位。
class MyApp extends StatelessWidget {
const MyApp({Key? key}) : super(key: key);
@override
Widget build(BuildContext context) {
return LayoutBuilder(
builder: (context, BoxConstraints constraints) {
return SizedBox(
width: 470,
child: Row(
children: [
SizedBox(
width: 200,
child: Icon(
Icons.link,
color: Colors.white,
),
),
SizedBox(
width: constraints.maxWidth*0.6,
child: Icon(
Icons.message,
color: Colors.white,
),
),
Expanded(
child: Icon(
Icons.phone,
color: Colors.white,
),
),
SizedBox(
width: constraints.maxWidth*0.3,
child: Icon(
Icons.account_balance,
color: Colors.white,
),
),
],
),
);
}
);
}
}
在本例中,我们将设置一个宽度为470的父小部件,其中包含Row。在Row中,一个元素的宽度固定为200,另一个元素的宽度为父元素的60%,另一个元素的宽度为470,另一个元素的宽度为同一父元素的30%,还有一个元素扩展任何剩余的空间。