代码块控制流

你可以使用下面的控制流来控制你的代码:

  • if … else …
  • for 循环
  • while 和 do-while 循环
  • break 和 continue
  • switch 和 case
  • assert

if … else …

Dart支持 if 代码块,配上可选的else 代码块,下面是个小例子:

  1. if (isRaining()) {
  2. you.bringRainCoat();
  3. } else if (isSnowing()) {
  4. you.wearJacket();
  5. } else {
  6. car.putTopDown();
  7. }

不像 javascript, 条件值必须是布尔类型的,不能使用其他的

for循环

你可以使用标准的for循环来进行迭代, 如

  1. var message = StringBuffer('Dart is fun');
  2. for (var i = 0; i < 5; i++) {
  3. message.write('!');
  4. }

Dart for循环内部的闭包捕获了索引的值,避免了JavaScript中常见的陷阱

  1. var callbacks = [];
  2. for (var i = 0; i < 2; i++) {
  3. callbacks.add(() => print(i));
  4. }
  5. callbacks.forEach((c) => c());

如果你在一些可迭代类型的对象中进行迭代,并且你并不需要知道迭代的索引,你可以使用for-in来进行迭代:

  1. for (var candidate in candidates) {
  2. candidate.interview();
  3. }

一些可迭代类型有forEach()方法可以作为另一种迭代的方式:

  1. var collection = [1, 2, 3];
  2. collection.forEach(print); // 1 2 3

While 和 do-while

while循环会在循环前进行值判断:

  1. while (!isDone()) {
  2. doSomething();
  3. }

do-while循环会在循环后进行值判断:

  1. do {
  2. printLine();
  3. } while (!atEndOfPage());

Break和continue

使用break来跳过循环

  1. while (true) {
  2. if (shutDownRequested()) break;
  3. processIncomingRequests();
  4. }

使用continue来跳过本次循环

  1. for (int i = 0; i < candidates.length; i++) {
  2. var candidate = candidates[i];
  3. if (candidate.yearsExperience < 5) {
  4. continue;
  5. }
  6. candidate.interview();
  7. }

如果你在可迭代对象上操作,你可以使用对应的高阶函数来达到相同的效果

  1. candidates
  2. .where((c) => c.yearsExperience >= 5)
  3. .forEach((c) => c.interview());

Switch和case

Dart中Switch代码块可以使用整型、字符串或者其他编译时常量来进行比较,case中的变量必须是和比较值相同类型的对象

每一个非空的case都会以break结尾,也可以使用continue、throw或者return来结束一个非空的case

使用default来执行没有匹配到case的项

  1. var command = 'OPEN';
  2. switch (command) {
  3. case 'CLOSED':
  4. executeClosed();
  5. break;
  6. case 'PENDING':
  7. executePending();
  8. break;
  9. case 'APPROVED':
  10. executeApproved();
  11. break;
  12. case 'DENIED':
  13. executeDenied();
  14. break;
  15. case 'OPEN':
  16. executeOpen();
  17. break;
  18. default:
  19. executeUnknown();
  20. }

如果case代码块没有使用break结束,会引发一个error

  1. var command = 'OPEN';
  2. switch (command) {
  3. case 'OPEN':
  4. executeOpen();
  5. // ERROR: Missing break
  6. case 'CLOSED':
  7. executeClosed();
  8. break;
  9. }

Dart支持空case,它的匹配操作将和下一个匹配值的操作一致

  1. var command = 'CLOSED';
  2. switch (command) {
  3. case 'CLOSED': // Empty case falls through.
  4. case 'NOW_CLOSED':
  5. // Runs for both CLOSED and NOW_CLOSED.
  6. executeNowClosed();
  7. break;
  8. }

如果你想所有匹配值的操作都执行,你可以使用continue配合label

  1. var command = 'CLOSED';
  2. switch (command) {
  3. case 'CLOSED':
  4. executeClosed();
  5. continue nowClosed;
  6. // Continues executing at the nowClosed label.
  7. nowClosed:
  8. case 'NOW_CLOSED':
  9. // Runs for both CLOSED and NOW_CLOSED.
  10. executeNowClosed();
  11. break;
  12. }

case分支内可以有自己的局部变量,这个局部变量仅在当前分支作用域内有效

断言

在开发中,使用断言代码块可以中止代码的执行,如果代码执行中断言结果为false,下面是一些例子:

  1. // Make sure the variable has a non-null value.
  2. assert(text != null);
  3. // Make sure the value is less than 100.
  4. assert(number < 100);
  5. // Make sure this is an https URL.
  6. assert(urlString.startsWith('https'));

可以在assert的第二个参数添加一个message,用于断言执行时显示

  1. assert(urlString.startsWith('https'), 'URL ($urlString) should start with "https".');

第一个参数就是断言内用于判断的表达式,如果表达式为true,则断言成功,并会继续执行接下来的代码,如果表达式为false,则会抛出exception,并显示第二个参数中的message

Exceptions

Dart中可以抛出并捕获异常。异常是代码没有按照预期执行的错误。如果异常没有被捕获,引发异常的程序将会停止,通常这会导致整个程序中断

与Java相比,Dart中所有的异常都是未检查异常,函数不会声明任何它们抛出的异常,它们也不必捕获任何异常

Dart提供了Exception和Error类,同时提供了许多对应的子类。你当然可以定义自己的异常类。而且Dart程序可以将任何非空的对象作为异常抛出

Throw

下面是抛出引发Exception的一个例子

  1. throw FormatException('Expected at least 1 section');

你也可以抛出一个随意的对象

  1. throw 'Out of llamas!';

生产环境质量的代码,通常要求抛出的异常类型实现了Error或者Exception

Catch

捕获将会中断异常的传播,捕获异常将会给你一个机会去解决它:

  1. try {
  2. breedMoreLlamas();
  3. } on OutOfLlamasException {
  4. buyMoreLlamas();
  5. }

在代码中可以抛出不止一种类型的异常,你可以指定多种类型的Exception,如果有捕获类型与异常类型相匹配,则异常会被这个捕获处理掉,如果没有指定对应的异常类型,那么任何异常都会被捕获

  1. try {
  2. breedMoreLlamas();
  3. } on OutOfLlamasException {
  4. // A specific exception
  5. buyMoreLlamas();
  6. } on Exception catch (e) {
  7. // Anything else that is an exception
  8. print('Unknown exception: $e');
  9. } catch (e) {
  10. // No specified type, handles all
  11. print('Something really unknown: $e');
  12. }

你可以使用on 也可以使用 catch,如果你使用on 那么你必须要指定一种异常类型,当你要获取对应的异常对象时,使用catch

  1. try {
  2. // ···
  3. } on Exception catch (e) {
  4. print('Exception details:\n $e');
  5. } catch (e, s) {
  6. print('Exception details:\n $e');
  7. print('Stack trace:\n $s');
  8. }

想要捕获异常的同时,允许其继续向外传递,可以使用 rethrow 关键字

  1. void misbehave() {
  2. try {
  3. dynamic foo = true;
  4. print(foo++); // Runtime error
  5. } catch (e) {
  6. print('misbehave() partially handled ${e.runtimeType}.');
  7. rethrow; // Allow callers to see the exception.
  8. }
  9. }
  10. void main() {
  11. try {
  12. misbehave();
  13. } catch (e) {
  14. print('main() finished handling ${e.runtimeType}.');
  15. }
  16. }

Finally

想要不管异常有没有抛出都去执行某段代码,可以使用finally关键字。如果异常没有被捕获,那么将会在finally代码块执行完之后继续向外抛出

  1. try {
  2. breedMoreLlamas();
  3. } finally {
  4. // Always clean up, even if an exception is thrown.
  5. cleanLlamaStalls();
  6. }

finally代码块在任意捕获到异常的代码之后执行

  1. try {
  2. breedMoreLlamas();
  3. } catch (e) {
  4. print('Error: $e'); // Handle the exception first.
  5. } finally {
  6. cleanLlamaStalls(); // Then clean up.
  7. }

Classes

Dart是面向对象的语言,每一个对象都是类的实例,所有的类除了Null之外都继承自Object。基于Mixin的继承意味着尽管所有的class(顶级类、Object?除外)都只能有一个父类的情况下可以更多的复用类内部的成员。扩展函数可以在不改变类内容和创建新的子类的情况下给类添加新的功能

使用类成员

类成员对象由函数和数据组成。你可以在该类的实例对象上调用类成员函数和类成员变量

使用 . 来引用实例上的变量和函数

  1. var p = Point(2, 2);
  2. // Get the value of y.
  3. assert(p.y == 2);
  4. // Invoke distanceTo() on p.
  5. double distance = p.distanceTo(Point(4, 4));

使用 ?. 来替换 . 来避免在调用null实例时引发异常

  1. // If p is non-null, set a variable equal to its y value.
  2. var a = p?.y;

使用构造函数

你可以使用构造函数来创建一个对象,构造函数的名字可以是 类名或者类名.identifier。举个例子,创建一个Point对象可以使用Point()或者Point.fromJson()构造函数:

  1. var p1 = Point(2, 2);
  2. var p2 = Point.fromJson({'x': 1, 'y': 2});

下面的代码是同样的效果,只是在构造函数前加了一个可选的new关键字:

  1. var p1 = new Point(2, 2);
  2. var p2 = new Point.fromJson({'x': 1, 'y': 2});

new关键字在Dart2中成为可选关键字

许多类提供了常量构造函数。要创建一个编译时常量,可以使用常量构造函数,只需要在构造函数名前面加上const 关键字

  1. var p = const ImmutablePoint(2, 2);

重复使用常量构造函数创建出来的对象是同一个,也就是说是单例的

  1. var a = const ImmutablePoint(1, 1);
  2. var b = const ImmutablePoint(1, 1);
  3. assert(identical(a, b)); // They are the same instance!

如果内容是常量,那么构造函数或者字面量前面的const就可以忽略,举个例子:

  1. // Lots of const keywords here.
  2. const pointAndLine = const {
  3. 'point': const [const ImmutablePoint(0, 0)],
  4. 'line': const [const ImmutablePoint(1, 10), const ImmutablePoint(-2, 11)],
  5. };

你可以省略掉除第一次使用的const外的所有const

  1. // Only one const, which establishes the constant context.
  2. const pointAndLine = {
  3. 'point': [ImmutablePoint(0, 0)],
  4. 'line': [ImmutablePoint(1, 10), ImmutablePoint(-2, 11)],
  5. };

使用同样的构造函数创建的两个对象,如果其中一个使用 const 关键字创建编译时常量,这两个对象是不一样的

  1. var a = const ImmutablePoint(1, 1); // Creates a constant
  2. var b = ImmutablePoint(1, 1); // Does NOT create a constant
  3. assert(!identical(a, b)); // NOT the same instance!

获取对象类型

想要获取一个对象的类型,可以使用Object的一个属性runtimeType,返回一个Type类型的值

  1. print('The type of a is ${a.runtimeType}');

实例变量

下面将会展示如何去创建一个实例变量

  1. class Point {
  2. double? x; // Declare instance variable x, initially null.
  3. double? y; // Declare y, initially null.
  4. double z = 0; // Declare z, initially 0.
  5. }

所有没有初始化的属性的值都会被赋予null

所有实例内部的变量都会有一个隐式的gettter,所有不是final或者late final的变量如果没有初始化的话,都会有一个隐式的setter

你初始化的非延迟初始化的实例变量,都会在构造函数被调用的时候进行对应的初始化

  1. class Point {
  2. double? x; // Declare instance variable x, initially null.
  3. double? y; // Declare y, initially null.
  4. }
  5. void main() {
  6. var point = Point();
  7. point.x = 4; // Use the setter method for x.
  8. assert(point.x == 4); // Use the getter method for x.
  9. assert(point.y == null); // Values default to null.
  10. }

实例变量可以设置为final,但是必须进行初始化。你可以使用构造函数参数或者构造函数初始化列表进行初始化。如果你想在构造函数执行之后再进行初始化,你可以使用late final关键字,但是使用时记得小心

  1. class ProfileMark {
  2. final String name;
  3. final DateTime start = DateTime.now();
  4. ProfileMark(this.name);
  5. ProfileMark.unnamed() : name = '';
  6. }

构造函数

使用跟类名一样的名字作为函数名来创建一个构造函数,当然也可以在函数名后面加上特定的标识名来创建命名构造函数。使用构造函数就可以创建类的实例

  1. class Point {
  2. double x = 0;
  3. double y = 0;
  4. Point(double x, double y) {
  5. // There's a better way to do this, stay tuned.
  6. this.x = x;
  7. this.y = y;
  8. }
  9. }

这里的this关键字指向当前的实例

当出现名称冲突时,才使用this关键。否则的话,省略this关键字

Dart有将构造函数参数分配到对应的实例变量上的语法糖

  1. class Point {
  2. double x = 0;
  3. double y = 0;
  4. // Syntactic sugar for setting x and y
  5. // before the constructor body runs.
  6. Point(this.x, this.y);
  7. }

默认构造参数

如果没有创建构造函数,Dart将会创建一个不带参数的默认构造函数,并在其中调用父类的无参构造函数

构造函数不会继承

子类不会从父类继承构造函数,如果子类没有声明构造函数,只会创建默认构造函数(无参数,无构造体)

命名构造函数

创建命名函数可以为类添加更多创建实例的方式

  1. const double xOrigin = 0;
  2. const double yOrigin = 0;
  3. class Point {
  4. double x = 0;
  5. double y = 0;
  6. Point(this.x, this.y);
  7. // Named constructor
  8. Point.origin()
  9. : x = xOrigin,
  10. y = yOrigin;
  11. }

记住构造函数是不能够被继承的,这意味着父类的命名构造函数也无法被子类继承,如果你想要子类也拥有一个父类中定义的构造函数,需要你自己实现

父类非默认构造函数执行

默认情况下,子类会去执行父类非命名的无参构造函数,父类的构造函数在子类的构造函数体开头被执行。如果此时刚好也使用了初始化列表(initial list),初始化列表将在父类构造函数之前调用,总的来说执行顺序如下:

  1. 初始化列表(initial list)
  2. 父类构造函数
  3. 子类构造函数

如果父类没有非命名的无参构造函数,那么必须指定指定父类的一个构造函数。在函数构造体之前使用 : 来指定对应的父类构造函数

  1. class Person {
  2. String? firstName;
  3. Person.fromJson(Map data) {
  4. print('in Person');
  5. }
  6. }
  7. class Employee extends Person {
  8. // Person does not have a default constructor;
  9. // you must call super.fromJson(data).
  10. Employee.fromJson(Map data) : super.fromJson(data) {
  11. print('in Employee');
  12. }
  13. }
  14. void main() {
  15. var employee = Employee.fromJson({});
  16. print(employee);
  17. // Prints:
  18. // in Person
  19. // in Employee
  20. // Instance of 'Employee'
  21. }

因为父类的构造函数参数会在构造函数调用之前计算完成,所以构造参数可以是一个表达式,如参数是一个函数调用:

  1. class Employee extends Person {
  2. Employee() : super.fromJson(fetchDefaultData());
  3. // ···
  4. }

注意: 父类的构造函数参数不能访问this,所以父类的构造函数中只能调用静态函数而不能调用实例方法

初始化列表

除了调用父类的构造函数,你还可以在构造函数执行前执行初始化列表,各个初始化语句之间使用 逗号 分割:

  1. // Initializer list sets instance variables before
  2. // the constructor body runs.
  3. Point.fromJson(Map<String, double> json)
  4. : x = json['x']!,
  5. y = json['y']! {
  6. print('In Point.fromJson(): ($x, $y)');
  7. }

初始化列表每一项的右边无法访问this

在开发环境下,你可以在初始化列表中使用asset对传入的值进行校验

  1. Point.withAssert(this.x, this.y) : assert(x >= 0) {
  2. print('In Point.withAssert(): ($x, $y)');
  3. }

使用初始化列表对final字段进行初始化非常方便:

  1. import 'dart:math';
  2. class Point {
  3. final double x;
  4. final double y;
  5. final double distanceFromOrigin;
  6. Point(double x, double y)
  7. : x = x,
  8. y = y,
  9. distanceFromOrigin = sqrt(x * x + y * y);
  10. }
  11. void main() {
  12. var p = Point(2, 3);
  13. print(p.distanceFromOrigin);
  14. }

重定向构造函数

有些时候,一些构造函数的目的就是调用同一个类中的另一个构造函数。重定向构造函数没有构造体,想要调用的构造放置在 : 之后

  1. class Point {
  2. double x, y;
  3. // The main constructor for this class.
  4. Point(this.x, this.y);
  5. // Delegates to the main constructor.
  6. Point.alongXAxis(double x) : this(x, 0);
  7. }

const构造函数

如果你的类创建的实例无法修改,你可以在构造函数前使用const,这样创建的实例就是一个编译时常量。如果你想要这样做,那么你要确保实例变量都是final的

  1. class ImmutablePoint {
  2. static const ImmutablePoint origin = ImmutablePoint(0, 0);
  3. final double x, y;
  4. const ImmutablePoint(this.x, this.y);
  5. }

工厂构造函数

当你想使用构造函数,但是并不想再创建当前类新的实例,此时可以使用factory关键字。比如你想从缓存中返回当前类的实例,或者想返回子类型的实例。另一种使用情况是,想要初始化无法在 initializer list 进行逻辑处理的final变量

下面的例子中,Logger的工厂构造函数从缓存中返回了一个实例,Logger.fromJson 工厂构造函数从JSON数据中初始化了 final 变量

  1. class Logger {
  2. final String name;
  3. bool mute = false;
  4. // _cache is library-private, thanks to
  5. // the _ in front of its name.
  6. static final Map<String, Logger> _cache =
  7. <String, Logger>{};
  8. factory Logger(String name) {
  9. return _cache.putIfAbsent(
  10. name, () => Logger._internal(name));
  11. }
  12. factory Logger.fromJson(Map<String, Object> json) {
  13. return Logger(json['name'].toString());
  14. }
  15. Logger._internal(this.name);
  16. void log(String msg) {
  17. if (!mute) print(msg);
  18. }
  19. }

注意: 工厂构造函数不能访问this关键字

调用工厂构造函数和别的构造函数是一样的

  1. var logger = Logger('UI');
  2. logger.log('Button clicked');
  3. var logMap = {'name': 'UI'};
  4. var loggerJson = Logger.fromJson(logMap);

方法

对象里提供的行为的函数叫做方法

实例方法

实例方法可以访问this关键字,下面例子中的 distanceTo方法就是一个实例方法:

  1. import 'dart:math';
  2. class Point {
  3. double x = 0;
  4. double y = 0;
  5. Point(this.x, this.y);
  6. double distanceTo(Point other) {
  7. var dx = x - other.x;
  8. var dy = y - other.y;
  9. return sqrt(dx * dx + dy * dy);
  10. }
  11. }

操作符

操作符是一些特殊名称的实例方法,Dart允许你使用下面这些名称来定义操作符

< + | []
> / ^ []=
<= ~/ & ~
>= * << ==
- % >>

注意: 你可以发现有一些操作符,像 != 并不在上面的表格中,因为这些操作符仅仅是语法糖。举个例子,表达式 e1 != e2 就是 !(e1 == e2) 的语法糖

使用内置的标识符 operator 来定义运算符,下面的例子就是定义运算符 + 和 - :

  1. class Vector {
  2. final int x, y;
  3. Vector(this.x, this.y);
  4. Vector operator +(Vector v) => Vector(x + v.x, y + v.y);
  5. Vector operator -(Vector v) => Vector(x - v.x, y - v.y);
  6. // Operator == and hashCode not shown.
  7. // ···
  8. }
  9. void main() {
  10. final v = Vector(2, 3);
  11. final w = Vector(2, 2);
  12. assert(v + w == Vector(4, 5));
  13. assert(v - w == Vector(0, 1));
  14. }

Getters 和 Setters

Getters和Setters是提供读写对象属性功能的特殊方法。回想一下,每个实例变量都有一个隐式的getter,某些情况还会有一个setter。你可以通过get和set关键字实现getter和setter方法来添加额外的实例变量:

  1. class Rectangle {
  2. double left, top, width, height;
  3. Rectangle(this.left, this.top, this.width, this.height);
  4. // Define two calculated properties: right and bottom.
  5. double get right => left + width;
  6. set right(double value) => left = value - width;
  7. double get bottom => top + height;
  8. set bottom(double value) => top = value - height;
  9. }
  10. void main() {
  11. var rect = Rectangle(3, 4, 20, 15);
  12. assert(rect.left == 3);
  13. rect.right = 12;
  14. assert(rect.left == -8);
  15. }

注意: 为了避免出现额外的副作用,操作符指挥调用getter一次,并将返回值保存在一个临时变量中

抽象方法

实例,getter,setter方法都可以为抽象的,抽象方法只定义在接口中,但是具体的实现由别的类来编写。抽象方法只能存在于抽象类中

要创建一个抽象方法,使用分号来替换对应的方法体

  1. abstract class Doer {
  2. // Define instance variables and methods...
  3. void doSomething(); // Define an abstract method.
  4. }
  5. class EffectiveDoer extends Doer {
  6. void doSomething() {
  7. // Provide an implementation, so the method is not abstract here...
  8. }
  9. }

抽象类

使用abstract关键字来定义一个抽象类,抽象类不能被初始化。抽象类在定义接口时非常有用,如果你想要抽象类可以被初始化,你可以定义一个工厂构造函数

抽象类通常有抽象方法,下面的例子就是一个包含抽象方法的抽象类:

  1. // This class is declared abstract and thus
  2. // can't be instantiated.
  3. abstract class AbstractContainer {
  4. // Define constructors, fields, methods...
  5. void updateChildren(); // Abstract method.
  6. }

隐式接口

每一个类都隐式的定义了一个接口,这个接口包含类和所有实现接口的所有实例成员。如果你想要创建一个类A,在没有继承类B的情况下支持所有类B的API,那么你需要让A去实现B的接口

类在 implements 关键字后面跟上对应要实现的接口名称,然后在类内部实现接口规定的那些方法,下面是一个例子:

  1. // A person. The implicit interface contains greet().
  2. class Person {
  3. // In the interface, but visible only in this library.
  4. final _name;
  5. // Not in the interface, since this is a constructor.
  6. Person(this._name);
  7. // In the interface.
  8. String greet(String who) => 'Hello, $who. I am $_name.';
  9. }
  10. // An implementation of the Person interface.
  11. class Impostor implements Person {
  12. get _name => '';
  13. String greet(String who) => 'Hi $who. Do you know who I am?';
  14. }
  15. String greetBob(Person person) => person.greet('Bob');
  16. void main() {
  17. print(greetBob(Person('Kathy')));
  18. print(greetBob(Impostor()));
  19. }

下面的例子是指定类实现多个接口:

  1. class Point implements Comparable, Location {...}

继承类

在子类上使用 extends 关键字来指定继承的父类,使用 super 关键字来指向父类:

  1. class Television {
  2. void turnOn() {
  3. _illuminateDisplay();
  4. _activateIrSensor();
  5. }
  6. // ···
  7. }
  8. class SmartTelevision extends Television {
  9. void turnOn() {
  10. super.turnOn();
  11. _bootNetworkInterface();
  12. _initializeMemory();
  13. _upgradeApps();
  14. }
  15. // ···
  16. }

重写成员

子类可以重写实例方法(包括操作符), getters和setters。你可以使用 @override 注解来表明你想重写的成员

  1. class SmartTelevision extends Television {
  2. @override
  3. void turnOn() {...}
  4. // ···
  5. }

注意: 如果你重写了 == , 那么你也需要去重写对象的 hashCode getter

noSuchMethod()

想要在调用类中不存在的方法或者实例变量的时候做出操作,那么你可以去重写类的 noSuchMethod方法:

  1. class A {
  2. // Unless you override noSuchMethod, using a
  3. // non-existent member results in a NoSuchMethodError.
  4. @override
  5. void noSuchMethod(Invocation invocation) {
  6. print('You tried to use a non-existent member: ' +
  7. '${invocation.memberName}');
  8. }
  9. }

你不能调用没有实现的方法,除非满足下面两个条件之一:

  • 调用者的类型为静态类型dynamic
  • 调用者重写了noSuchMethod方法

扩展方法

扩展方法是给已有的类库添加新功能的方法。你甚至可以在不了解某个类的情况下给其添加扩展方法,下面就是给定义在 string_apis.dart中的 String 类添加名为 parseInt 的扩展方法的例子:

  1. import 'string_apis.dart';
  2. ...
  3. print('42'.padLeft(5)); // Use a String method.
  4. print('42'.parseInt()); // Use an extension method.

枚举类型

枚举类型,通常称之为 enumerations 或者 enums , 这是一种包含固定数量常量值的特殊类型

使用枚举

使用 enum 关键字定义枚举类型:

  1. enum Color { red, green, blue }

枚举中的每一个值都有一个对应的索引getter,这个索引getter会返回这个值在枚举中的位置(从0开始计数):

  1. assert(Color.red.index == 0);
  2. assert(Color.green.index == 1);
  3. assert(Color.blue.index == 2);

想要获取枚举中的值List,可以使用 values:

  1. List<Color> colors = Color.values;
  2. assert(colors[2] == Color.blue);

你可以在switch语句中使用,但是如果你没有处理所有情况的值,那么将会得到一个警告:

  1. var aColor = Color.blue;
  2. switch (aColor) {
  3. case Color.red:
  4. print('Red as roses!');
  5. break;
  6. case Color.green:
  7. print('Green as grass!');
  8. break;
  9. default: // Without this, you see a WARNING.
  10. print(aColor); // 'Color.blue'
  11. }

枚举类型有以下的限制:

  • 你不能继承、混入或者实现一个枚举
  • 你不能实例化一个枚举

mixins: 给类添加特性

Mixins是一种在多类层次中复用class代码的方式

使用 with 关键字后面接多个要混入的Mixin来使用 mixin, 下面就是一个在两个类之间使用mixins的例子:

  1. class Musician extends Performer with Musical {
  2. // ···
  3. }
  4. class Maestro extends Person
  5. with Musical, Aggressive, Demented {
  6. Maestro(String maestroName) {
  7. name = maestroName;
  8. canConduct = true;
  9. }
  10. }

要实现一个mixin,创建一个继承自Object没有定义构造函数的类。除非你想要你的mixin像一个标准类来使用,请使用 mixin 关键字替换 class 关键字,举个例子:

  1. mixin Musical {
  2. bool canPlayPiano = false;
  3. bool canCompose = false;
  4. bool canConduct = false;
  5. void entertainMe() {
  6. if (canPlayPiano) {
  7. print('Playing piano');
  8. } else if (canConduct) {
  9. print('Waving hands');
  10. } else {
  11. print('Humming to self');
  12. }
  13. }
  14. }

有些时候,你可能想要限制一下使用当前mixin的类型。举个例子,mixin 依赖于某个 mixin 中没有定义的方法。下面的例子中展示了你可以通过使用 on 关键字的方式来限制mixin的使用:

  1. class Musician {
  2. // ...
  3. }
  4. mixin MusicalPerformer on Musician {
  5. // ...
  6. }
  7. class SingerDancer extends Musician with MusicalPerformer {
  8. // ...
  9. }

在上面的代码中,只有继承或者实现了Musician的类可以使用 mixin MusicalPerformer。因为 SingerDancer 继承了 Musician,所以 SingerDancer可以混入 MusicalPerformer

类变量和类方法

使用 static 关键字来实现类级别的变量和方法

静态变量

静态变量(又叫做类变量)通常用于存储类级别的状态或者常量:

  1. class Queue {
  2. static const initialCapacity = 16;
  3. // ···
  4. }
  5. void main() {
  6. assert(Queue.initialCapacity == 16);
  7. }

静态变量在它们使用之前是不会初始化的

注意: 代码标准推荐使用 小驼峰风格 来命名常量名

静态方法

静态方法(又叫类方法)不由类的实例操作,而是由类本身来执行,因此它们无法访问 this 。静态方法、静态变量只能访问静态成员。下面的例子将会展示如何调用一个类方法:

  1. import 'dart:math';
  2. class Point {
  3. double x, y;
  4. Point(this.x, this.y);
  5. static double distanceBetween(Point a, Point b) {
  6. var dx = a.x - b.x;
  7. var dy = a.y - b.y;
  8. return sqrt(dx * dx + dy * dy);
  9. }
  10. }
  11. void main() {
  12. var a = Point(2, 2);
  13. var b = Point(4, 4);
  14. var distance = Point.distanceBetween(a, b);
  15. assert(2.8 < distance && distance < 2.9);
  16. print(distance);
  17. }

注意: Dart中有top-level的函数,请考虑使用top-level函数来替代静态方法