FlutterflutterWebFlutter教程网

Flutter:Theme

2018-08-17  本文已影响2180人  Magician

Flutter中使用ThemeData来在应用中共享颜色和字体样式,Theme有两种:全局Theme和局部Theme。 全局Theme是由应用程序根MaterialApp创建的Theme 。

定义好一个Theme后,就可以在自己的Widget中使用它。另外,Flutter提供的Material Widgets将使用我们的Theme为AppBars、Buttons、Checkboxes等设置背景颜色和字体样式。

先来看看ThemeData的主要属性(水平有限,对着文档和翻译软件写的):

至于使用主题就很简单了,在Flutter中文网上给出了很好的例子。

创建应用全局主题时,提供一个ThemeDataMaterialApp就可以了,如果没有提供,Flutter会提供一个默认主题。

new MaterialApp(
  title: title,
  theme: new ThemeData(
    brightness: Brightness.dark,
    primaryColor: Colors.lightBlue[800],
    accentColor: Colors.cyan[600],
  ),
);

局部主题是在应用程序某个小角落中用于覆盖全局主题,教程中提供了两个创建方法。

一是直接创建特有的ThemeData

new Theme(
  // 通过new ThemeData()创建一个实例并将其传递给Theme Widget
  data: new ThemeData(
    accentColor: Colors.yellow,
  ),
  child: new FloatingActionButton(
    onPressed: () {},
    child: new Icon(Icons.add),
  ),
);

一个是扩展父主题,扩展父主题时无需覆盖所有的主题属性,我们可以通过使用copyWith方法来实现。

new Theme(
  data: Theme.of(context).copyWith(accentColor: Colors.yellow),
  child: new FloatingActionButton(
    onPressed: null,
    child: new Icon(Icons.add),
  ),
);

定义好一个主题后,就可以再Widgetbuild方法中通过Theme.of(context)函数来使用它。Theme.of(context)将查找Widget树并返回树中最近的Theme。如果Widget之上有一个单独的Theme定义,则返回该值。如果不是,则返回App主题。

另外,可以根据设备不同(iOS,Android和Fuchsia)提供不同的主题:

new MaterialApp(
      theme: defaultTargetPlatform == TargetPlatform.iOS
          ? iOSTheme
          : AndroidTheme,
      title: 'Flutter Theme',
      home: new MyHomePage(),
);

FlutterColor中大多数颜色从100到900,增量为100,加上颜色50,数字越小颜色越浅,数字越大颜色越深。强调色调只有100、200、400和700。

教程给出的完整例子

import 'package:flutter/foundation.dart';
import 'package:flutter/material.dart';

void main() {
  runApp(new MyApp());
}

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    final appName = 'Custom Themes';

    return new MaterialApp(
      title: appName,
      theme: new ThemeData(
        brightness: Brightness.dark,
        primaryColor: Colors.lightBlue[800],
        accentColor: Colors.cyan[600],
      ),
      home: new MyHomePage(
        title: appName,
      ),
    );
  }
}

class MyHomePage extends StatelessWidget {
  final String title;

  MyHomePage({Key key, @required this.title}) : super(key: key);

  @override
  Widget build(BuildContext context) {
    return new Scaffold(
      appBar: new AppBar(
        title: new Text(title),
      ),
      body: new Center(
        child: new Container(
          color: Theme.of(context).accentColor,
          child: new Text(
            'Text with a background color',
            style: Theme.of(context).textTheme.title,
          ),
        ),
      ),
      floatingActionButton: new Theme(
        data: Theme.of(context).copyWith(accentColor: Colors.yellow),
        child: new FloatingActionButton(
          onPressed: null,
          child: new Icon(Icons.add),
        ),
      ),
    );
  }
}
上一篇下一篇

猜你喜欢

热点阅读