static const - 程序的最高级别不允许静态const - Dart

时间:2013-09-12 09:29:42

标签: dart

我已经在SO上查看了一些其他类似的问题,但它们似乎没有具体解决以下问题。

我想要实现的是拥有无法改变的编译时常量。

我有一个程序,我重新组织了一点,以便消除杂乱。该程序在“main()”之前有一些const声明。我把它们移到了一个类,但是它要求我将它们声明为“static const”。然后我想,好吧那些在“main()”之前的其他“const”声明应该也可能是“static const”。然而,当我尝试这样做时,编辑建议“顶级声明不能声明为'静态'”。 EG。

static const int    I_CORRECT_YN       = 12;   // prompt nr.

所以,我有点困惑。我认为“const”是静态的。为什么我必须在课堂上声明“静态”?为什么我不能将“顶级”const声明为“静态”?另外,有什么区别:

static const int I_CORRECT_YN = 12;
const  int       I_CORRECT_YN = 12;
static final int I_CORRECT_YN = 12;
final int        I_CORRECT_YN = 12;    ?

声明无法更改的编译时值的最佳或唯一方法是什么?

我想我正在看字面意思,但我认为有更复杂的含义。

1 个答案:

答案 0 :(得分:4)

  

为什么我必须在课堂上声明“静态”?

因为实例变量/方法不能是const。这意味着它们的值可能因实例而异,而编译时常量则不然。 (Source)

  

为什么我不能将“顶级”const声明为“静态”?

static修饰符将变量/方法标记为类范围(对于类的每个实例都是相同的值)。顶级的东西是应用程序范围的,不属于任何类,因此将它们标记为类范围没有任何意义,也是不允许的。 (Source)

  

声明无法更改的编译时值的最佳或唯一方法是什么?

您已经这样做了 - 在定义类常量时添加static。定义顶级常量时不要添加它。另外,使用constfinal变量不是编译时值。

  

[省略不同常量定义的源代码]之间有什么区别

static constconst几乎相同,用法取决于上下文。 constfinal之间的区别在于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;
}

我希望这有所帮助,而且我没有说它太混乱了。 :