为什么我必须在类中声明“静态”?
因为实例变量/方法不能是const
. 这意味着每个实例的值可能不同,而编译时常量则不是这样。(资源)
为什么我不能将“顶级”常量声明为“静态”?
修饰符将static
变量/方法标记为类范围(类的每个实例的值相同)。顶级的东西是应用程序范围的,不属于任何类,因此将它们标记为类范围没有任何意义,也是不允许的。(资源)
声明无法更改的编译时值的最佳或唯一方法是什么?
您已经在做 -static
在定义类常量时添加。定义顶级常量时不要添加它。另外,使用const
. final
vars 不是编译时值。
[省略不同常量定义的源代码]有什么区别
static const
并且const
几乎相同,用法取决于上下文。const
和之间的区别在于final
编译const
时常量 - 它们只能使用文字值(或由运算符和文字值组成的表达式)初始化并且不能更改。final
变量初始化后也不能更改,但基本上都是普通变量。这意味着可以使用任何类型的表达式,并且每个类实例的值可以是不同的:
import "dart:math";
Random r = new Random();
int getFinalValue() {
return new Random().nextInt(100);
}
class Test {
// final variable per instance.
final int FOO = getFinalValue();
// final variable per class. "const" wouldn't work here, getFinalValue() is no literal
static final int BAR = getFinalValue();
}
// final top-level variable
final int BAZ = getFinalValue();
// again, this doesn't work, because static top-level elements don't make sense
// static final int WAT = getFinalValue();
void main() {
Test a = new Test();
print(Test.BAR);
print(BAZ); // different from Test.BAR
print(a.FOO);
a = new Test();
print(Test.BAR); // same as before
print(BAZ); // same as before
print(a.FOO); // not the same as before, because it is another instance,
// initialized with another value
// but this would still be a syntax error, because the variable is final.
// a.FOO = 42;
}
我希望这会有所帮助,而且我并没有将其描述得太混乱。:]