001.5 flutter之dart最佳实践

Effective Dart: Usage

  • DO use strings in part of directives.
    尽管part语法会导致一个库的源码被分散到多个文件中(一个库就一个文档多好哇),但dart官网还是推荐使用part的(这样主文件更能突显该库的核心功能,非核心功能放到别的文件嘛),因此对于下述两种写法,优选good:
library my_library;
part "some/other/file.dart";

// good
part of "../../my_library.dart";

// bad
part of my_library;
  • DON’T import libraries that are inside the src directory of another package.
    尽管可以,但尽量不要引用别人库的src中的代码

  • 在自己的库中引用自己的文件,dart官网推荐使用相对路径

my_package
└─ lib
   ├─ src
   │  └─ utils.dart
   └─ api.dart
// good
import 'src/utils.dart';

// bad
import 'package:my_package/src/utils.dart';

Booleans 布尔

  • DO use ?? to convert null to a boolean value.
    当一个表达式的结果有true, false, or null三种值,但只能使用true, false的时候(比如if语句的条件表达式不接受null,会抛异常的),强烈推荐使用??将null转为true或者false
// good
// If you want null to be false:
optionalThing?.isEnabled ?? false;

// If you want null to be true:
optionalThing?.isEnabled ?? true;

// easy like this
if (optionalThing?.isEnabled??true) {
  print("Have enabled thing.");
}

// ----------------------------------------
// bad
// If you want null to be false:
optionalThing?.isEnabled == true;//对于这种写法,别人很可能以为==true是冗余的,可以删除,但实际上是不可以的

// If you want null to be true:
optionalThing?.isEnabled != false;

Strings 字符串

  • DO use adjacent strings to concatenate string literals.
// good(不推荐用在第一行字符串后写一个冗余的+加号)
raiseAlarm(
    'ERROR: Parts of the spaceship are on fire. Other '
    'parts are overrun by martians. Unclear which are which.');
  • PREFER using interpolation to compose strings and values.(不要老想着用+加号去连接字符串)
// good
'Hello, $name! You are ${year - birth} years old.';
  • AVOID using curly braces in interpolation when not needed.
// 类似$name,name两边不要加冗余的小括号
'Hi, $name!'
    "Wear your wildest $decade's outfit."
    'Wear your wildest ${decade}s outfit.'

Collections

  • DO use collection literals when possible.
var points = [];// 不推荐 var points = List();
var addresses = {};// 不推荐 var addresses = Map();
var points = <Point>[];// 不推荐 var points = List<Point>();
var addresses = <String, Address>{};// 不推荐 var addresses = Map<String, Address>();
  • DON’T use .length to see if a collection is empty.
// 判断空不空,建议这样写,尽量避免.length,效率painfully slow
if (lunchBox.isEmpty) return 'so hungry...';
if (words.isNotEmpty) return words.join(' ');
  • CONSIDER using higher-order methods to transform a sequence.
// 推荐这种写法,避免for循环
var aquaticNames = animals
    .where((animal) => animal.isAquatic)
    .map((animal) => animal.name);
  • AVOID using Iterable.forEach() with a function literal.
// js中经常用Iterable.forEach() ,但dart官网推荐用for
for (var person in people) {
  ...
}
  • DON’T use List.from() unless you intend to change the type of the result.
// good
var iterable = [1, 2, 3];// Creates a List<int>:
print(iterable.toList().runtimeType);// Prints "List<int>":
var numbers = [1, 2.3, 4]; // List<num>.
numbers.removeAt(1); // Now it only contains integers.
var ints = List<int>.from(numbers);// change the type of the result

// ----------------------------------------
// bad
var iterable = [1, 2, 3];// Creates a List<int>:
print(List.from(iterable).runtimeType);// Prints "List<dynamic>":
  • DO use whereType() to filter a collection by type.
// good
var objects = [1, "a", 2, "b", 3];
var ints = objects.whereType<int>();

// ----------------------------------------
// bad
var objects = [1, "a", 2, "b", 3];
var ints = objects.where((e) => e is int);//it returns an Iterable<Object>, not Iterable<int>
// bad
var objects = [1, "a", 2, "b", 3];
var ints = objects.where((e) => e is int).cast<int>();//这样不麻烦吗?
  • DON’T use cast() when a nearby operation will do.
  • AVOID using cast().

Functions 函数相关

  • DO use a function declaration to bind a function to a name.
// good
void main() {
  localFunction() {
    ...
  }
}
// bad
void main() {
  var localFunction = () {
    ...
  };
}
  • DON’T create a lambda when a tear-off will do.
// good
names.forEach(print);
// bad
names.forEach((name) {
  print(name);
});
  • Parameters 函数参数
  • DO use = to separate a named parameter from its default value.
void insert(Object item, {int at = 0}) { ... }//用等于号,不要用冒号,虽然也可以
  • DON’T use an explicit default value of null.
// bad
void error([String message = null]) {//=null冗余,默认就是
  stderr.write(message ?? '\n');
}

Variables 变量

  • DON’T explicitly initialize variables to null.(默认就是)
  • AVOID storing what you can calculate.

Members

  • DON’T wrap a field in a getter and setter unnecessarily.
  • CONSIDER using => for simple members.
  • DON’T use this. except to redirect to a named constructor or to avoid shadowing.
  • DO initialize fields at their declaration when possible.

Constructors 构造函数

  • DO use initializing formals when possible.
// bad
class Point {
  num x, y;
  Point(num x, num y) {
    this.x = x;
    this.y = y;
  }
}
// good
class Point {
  num x, y;
  Point(this.x, this.y);
}
  • DON’T type annotate initializing formals.
// good
class Point {
  int x, y;
  Point(this.x, this.y);
}

// bad
class Point {
  int x, y;
  Point(int this.x, int this.y);
}
  • DO use ; instead of {} for empty constructor bodies.
// good (空实现就别写了,直接来个分号就行)
class Point {
  int x, y;
  Point(this.x, this.y);
}
// bad
class Point {
  int x, y;
  Point(this.x, this.y) {}
}
  • DON’T use new.
// bad, new关键字是可选的,进而是冗余的(dart2.0建议别写冗余代码了)
Widget build(BuildContext context) {
  return new Row(
    children: [
      new RaisedButton(
        child: new Text('Increment'),
      ),
      new Text('Click!'),
    ],
  );
}
  • DON’T use const redundantly.
    In contexts where an expression must be constant, the const keyword is implicit, doesn’t need to be written, and shouldn’t.

Error handling

PREFER async/await over using raw futures.

// good 
Future<int> countActivePlayers(String teamName) async {
  try {
    var team = await downloadTeam(teamName);
    if (team == null) return 0;

    var players = await team.roster;
    return players.where((player) => player.isActive).length;
  } catch (e) {
    log.error(e);
    return 0;
  }
}
// bad
Future<int> countActivePlayers(String teamName) {
  return downloadTeam(teamName).then((team) {
    if (team == null) return Future.value(0);

    return team.roster.then((players) {
      return players.where((player) => player.isActive).length;
    });
  }).catchError((e) {
    log.error(e);
    return 0;
  });
}
  • CONSIDER using higher-order methods to transform a stream.
  • AVOID using Completer directly.
  • DO test for Future<T> when disambiguating a FutureOr<T> whose type argument could be Object.

参考

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 211,817评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,329评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 157,354评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,498评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,600评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,829评论 1 290
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,979评论 3 408
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,722评论 0 266
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,189评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,519评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,654评论 1 340
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,329评论 4 330
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,940评论 3 313
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,762评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,993评论 1 266
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,382评论 2 360
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,543评论 2 349

推荐阅读更多精彩内容