2

在这里找到一些证据表明芭蕾舞女演员曾一度支持枚举,但它似乎已被删除。有人知道在芭蕾舞女演员中处理枚举值的推荐/支持/惯用方式吗?

4

1 回答 1

3

是的,我们刚刚从语言中删除了枚举类型。现在您可以使用常量和联合类型一般地定义枚举值。

// Following declarations declare a set of compile-time constants. 
// I used the int value for this example. You could even do const SUN = "sun". 
const SUN = 0;
const MON = 1;
const TUE = 2;
const WED = 3;
const THU = 4;
const FRI = 5;
const SAT = 6;

// This defines a new type called "Weekday"
type Weekday SUN | MON | TUE | WED | THU | FRI | SAT;

function play() {
    Weekday wd1 = WED;
    Weekday wd2 = 6;

    // This is a compile-time error, since the possible values 
    //  which are compatible with the type "Weekday" type are 0, 1, 2, 3, 4, 5, and 6
    Weekday wd3 = 8;
}

让我根据语言规范解释一下这是如何工作的。考虑以下类型定义。您可以将可能的整数值和布尔值(truefalse)分配给类型为 的变量IntOrBoolean

type IntOrBoolean int | boolean;
IntOrBoolean v1 = 1;
IntOrBoolean v2 = false;

同样,您可以定义一个仅包含几个值的新类型定义,例如 this。这里0表示一个具有 value 的单例类型,01表示另一个具有 value 的单例类型1。单例类型是一种在其值集中只有一个值的类型。

type ZeroOrOne 0 | 1;

有了这个理解,我们就可以重写我们的Weekday类型如下。

type Weekday 0 | 1 | 2 | 3 | 4 | 5| 6;

当您定义诸如 的编译时常const SUN = 0量时,变量的类型SUN不是int,而是具有值的单例类型0

于 2019-06-10T20:13:00.007 回答