方法
方法是为对象提供行为的函数。
实例方法
#对象上的实例方法可以访问实例变量和 this
。以下示例中的 distanceTo()
方法是实例方法的示例
dart
import 'dart:math';
class Point {
final double x;
final double y;
// Sets the x and y instance variables
// before the constructor body runs.
Point(this.x, this.y);
double distanceTo(Point other) {
var dx = x - other.x;
var dy = y - other.y;
return sqrt(dx * dx + dy * dy);
}
}
运算符
#大多数运算符都是具有特殊名称的实例方法。Dart 允许您使用以下名称定义运算符
< | > | <= | >= | == | ~ |
- | + | / | ~/ | * | % |
| | ˆ | & | << | >>> | >> |
[]= | [] |
要声明运算符,请使用内置标识符 operator
,然后是您要定义的运算符。以下示例定义了向量加法 (+
)、减法 (-
) 和相等性 (==
)
dart
class Vector {
final int x, y;
Vector(this.x, this.y);
Vector operator +(Vector v) => Vector(x + v.x, y + v.y);
Vector operator -(Vector v) => Vector(x - v.x, y - v.y);
@override
bool operator ==(Object other) =>
other is Vector && x == other.x && y == other.y;
@override
int get hashCode => Object.hash(x, y);
}
void main() {
final v = Vector(2, 3);
final w = Vector(2, 2);
assert(v + w == Vector(4, 5));
assert(v - w == Vector(0, 1));
}
获取器和设置器
#获取器和设置器是提供对对象属性的读写访问权限的特殊方法。回想一下,每个实例变量都有一个隐式获取器,以及一个设置器(如果适用)。您可以通过实现获取器和设置器来创建其他属性,使用 get
和 set
关键字
dart
class Rectangle {
double left, top, width, height;
Rectangle(this.left, this.top, this.width, this.height);
// Define two calculated properties: right and bottom.
double get right => left + width;
set right(double value) => left = value - width;
double get bottom => top + height;
set bottom(double value) => top = value - height;
}
void main() {
var rect = Rectangle(3, 4, 20, 15);
assert(rect.left == 3);
rect.right = 12;
assert(rect.left == -8);
}
使用获取器和设置器,您可以从实例变量开始,然后用方法包装它们,而不会更改客户端代码。
抽象方法
#实例、获取器和设置器方法可以是抽象的,定义一个接口,但将其实现留给其他类。抽象方法只能存在于 抽象类 或 混入 中。
要使方法成为抽象的,请使用分号 (;
) 而不是方法体
dart
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...
}
}
除非另有说明,否则本网站上的文档反映了 Dart 3.5.3。页面最后更新于 2024-04-17。 查看源代码 或 报告问题.