方法
最后更新于:2022-04-02 04:59:03
[TOC]
方法是为对象提供行为的函数。
## 实例方法
对象上的实例方法可以访问实例变量。下面示例中的distanceTo()方法是一个实例方法的示例:
~~~
import 'dart:math';
class Point {
num x, y;
Point(this.x, this.y);
num distanceTo(Point other) {
var dx = x - other.x;
var dy = y - other.y;
return sqrt(dx * dx + dy * dy);
}
}
~~~
## Getters 和 setters 方法
getter和setter是对对象属性的读写访问的特殊方法。回想一下,每个实例变量都有一个隐式的getter,如果需要的话还可以加上一个setter。使用get和set关键字来实现getter和setter方法可以来读写其他属性:
~~~
class Rectangle {
num left, top, width, height;
Rectangle(this.left, this.top, this.width, this.height);
// Define two calculated properties: right and bottom.
num get right => left + width;
set right(num value) => left = value - width;
num get bottom => top + height;
set bottom(num value) => top = value - height;
}
void main() {
var rect = Rectangle(3, 4, 20, 15);
assert(rect.left == 3);
rect.right = 12;
assert(rect.left == -8);
}
~~~
使用getter和setter,你可以使用方法包装实例变量,而无需改动业务代码。
>注意:诸如increment(++)之类的操作符以预期的方式工作,无论getter是否被显式定义。为了避免任何意外的副作用,操作符只调用getter一次,将其值保存在一个临时变量中。
>
## 抽象方法
实例方法、getter和setter方法可以是抽象方法,之定义一个接口但是将具体实现留给其他类。抽象方法只能存在于抽象类中,抽象方法是没有方法体的。
~~~
abstract class Doer {
// Define instance variables and methods...
void doSomething(); // Define an abstract method.
}
class EffectiveDoer extends Doer {
void doSomething() {
// Provide an implementation, so the method is not abstract here...
}
}
~~~
调用抽象方法会导致运行时错误。
';