Flutter主题
定义主题有两种方式:全局主题或使用Theme来定义应用程序局部的颜色和字体样式。全局主题只是由应用程序根MaterialApp创建的主题。
全局主题
创建应用主题的方法是将ThemeData提供给MaterialApp构造函数,如果没有提供主题,Flutter将创建一个默认主题。主题数据的示例代码如下
new MaterialApp(
title: 'Flutter Demo',
theme: ThemeData(
// This is the theme of your application.
brightness: Brightness.light,
primarySwatch: Colors.blue,
primaryColor: Colors.cyan[600]
),
);
局部主题
- 创建特有的主题数据
实例化一个ThemeData并将其传递给Theme对象
new Theme(data: new ThemeData(accentColor: Colors.yellow), child: null),
- 扩展父主题
扩展父主题时无须覆盖所有的主题属性,可以通过使用copyWith方法来实现
//覆盖accentColor,函数Theme.of(context)通过上下文来获取主题,方法是查找最近的主题,如果找不到就会找整个应用的主题
floatingActionButton: new Theme(
data: Theme.of(context).copyWith(accentColor: Colors.amber),
child: FloatingActionButton(
onPressed: _incrementCounter,
tooltip: 'Increment',
child: Icon(Icons.add),
),
),
无状态组件和有状态组件
无状态组件是不可变的,意味着它的的属性不能改变,所有的值都是最终的。有状态组件持有的状态可能在widget生命周期中发生变化。实现一个StatefulWidget至少需要两个类:
- 一个StatefulWidget类,StatefulWidget类本身是不变的
- 一个State类,在Widget生命周期中始终存在。
使用包资源
- 包仓库
所有包都会发布到Dart的仓库里,输入想使用的包名点击搜索即可,包仓库地址为:https://pub.dartlang.org/ - 包使用示例
以使用url_launcher为例,使用步骤如下
- 打开pubspec.yaml文件,在dependencies下添加包的名称和版本
-
点击Packages get命令来获取工程配置文件中的所添加的引用包或者打开命令窗口执行flutter packages get命令
3.打开main.dart文件,导入url_launcher.dart包
import 'package:url_launcher/url_launcher.dart';
4.使用launch方法来打开url地址
const url = "https://www.baidu.com";
launch(url);
~