Enumerations: Difference between revisions

From Rosetta Code
Content added Content deleted
m (→‎{{header|Wren}}: Minor tidy)
 
(18 intermediate revisions by 10 users not shown)
Line 6: Line 6:


=={{header|11l}}==
=={{header|11l}}==
<lang 11l>T.enum TokenCategory
<syntaxhighlight lang="11l">T.enum TokenCategory
NAME
NAME
KEYWORD
KEYWORD
CONSTANT
CONSTANT
TEST_CATEGORY = 10</lang>
TEST_CATEGORY = 10</syntaxhighlight>


=={{header|6502 Assembly}}==
=={{header|6502 Assembly}}==
Line 17: Line 17:


Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.
Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.
<lang 6502asm>Sunday equ 0
<syntaxhighlight lang="6502asm">Sunday equ 0
Monday equ 1
Monday equ 1
Tuesday equ 2
Tuesday equ 2
Line 23: Line 23:
Thursday equ 4
Thursday equ 4
Friday equ 5
Friday equ 5
Saturday equ 6</lang>
Saturday equ 6</syntaxhighlight>


Some assemblers have an actual <code>ENUM</code> directive, where only the 0th element needs a defined value and the rest follow sequentially. This is often used for allocating RAM locations rather than a [[C]]-style enumeration, however. <code>.DSB</code> is a directive that stands for "data storage byte" and is listed after the label so that the assembler knows how big the variable is. In the example below the variable <code>OBJECT_XPOS</code> begins at $0400 and <code>OBJECT_XPOS</code> begins at $0410:
Some assemblers have an actual <code>ENUM</code> directive, where only the 0th element needs a defined value and the rest follow sequentially. This is often used for allocating RAM locations rather than a [[C]]-style enumeration, however. <code>.DSB</code> is a directive that stands for "data storage byte" and is listed after the label so that the assembler knows how big the variable is. In the example below the variable <code>OBJECT_XPOS</code> begins at $0400 and <code>OBJECT_XPOS</code> begins at $0410:
<lang 6502asm>enum $0400
<syntaxhighlight lang="6502asm">enum $0400
OBJECT_XPOS .dsb 16 ;define 16 bytes for object X position
OBJECT_XPOS .dsb 16 ;define 16 bytes for object X position
OBJECT_YPOS .dsb 16 ;define 16 bytes for object Y position
OBJECT_YPOS .dsb 16 ;define 16 bytes for object Y position
ende</lang>
ende</syntaxhighlight>


===Without Explicit Values===
===Without Explicit Values===
A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.
A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.


<lang 6502asm>Days_Of_The_Week:
<syntaxhighlight lang="6502asm">Days_Of_The_Week:
word Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday
word Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday


Line 63: Line 63:
LDY #0 ;clear Y
LDY #0 ;clear Y


LDA ($00),Y ;Load the "W" of Wednesday into accumulator</lang>
LDA ($00),Y ;Load the "W" of Wednesday into accumulator</syntaxhighlight>


=={{header|68000 Assembly}}==
=={{header|68000 Assembly}}==
Line 71: Line 71:


Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.
Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.
<lang 68000devpac>Sunday equ 0
<syntaxhighlight lang="68000devpac">Sunday equ 0
Monday equ 1
Monday equ 1
Tuesday equ 2
Tuesday equ 2
Line 77: Line 77:
Thursday equ 4
Thursday equ 4
Friday equ 5
Friday equ 5
Saturday equ 6</lang>
Saturday equ 6</syntaxhighlight>




Line 85: Line 85:
Like in a [[C]]-style enumeration, Sunday would be 0, Monday 1, Tuesday 2, and so on. (Actually, Monday would be 4 and Tuesday would be 8 and so on, since these are 32-bit pointers.) It's a common practice to have the index live in RAM as a one-byte index, load it in a register, and then scale its register copy during the lookup process only. That way if multiple tables with different data sizes have a common index, the program doesn't need to remember which data type the index was last used to access.
Like in a [[C]]-style enumeration, Sunday would be 0, Monday 1, Tuesday 2, and so on. (Actually, Monday would be 4 and Tuesday would be 8 and so on, since these are 32-bit pointers.) It's a common practice to have the index live in RAM as a one-byte index, load it in a register, and then scale its register copy during the lookup process only. That way if multiple tables with different data sizes have a common index, the program doesn't need to remember which data type the index was last used to access.


<lang 68000devpac>Days_Of_The_Week:
<syntaxhighlight lang="68000devpac">Days_Of_The_Week:
DC.L Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday
DC.L Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday


Line 117: Line 117:
LEA (A0,D0),A1 ;load table offset by D0 into A1
LEA (A0,D0),A1 ;load table offset by D0 into A1
MOVE.L (A1),A1 ;dereference the pointer, now the address of "Thursday" is in A1.
MOVE.L (A1),A1 ;dereference the pointer, now the address of "Thursday" is in A1.
MOVE.B (A1)+,D1 ;Load the "T" of Thursday into D1, auto-increment to next letter for the next load.</lang>
MOVE.B (A1)+,D1 ;Load the "T" of Thursday into D1, auto-increment to next letter for the next load.</syntaxhighlight>

=={{header|8086 Assembly}}==
{{trans|6502 Assembly}}
===With Explicit Values===
Most assemblers allow the use of an <code>equ</code> directive or something similar, where you can assign a label to a number for later use. These do not take up space in your program.
<syntaxhighlight lang="asm">Sunday equ 0
Monday equ 1
Tuesday equ 2
Wednesday equ 3
Thursday equ 4
Friday equ 5
Saturday equ 6
Sunday equ 7</syntaxhighlight>

===Without Explicit Values===
A lookup table is often used to translate data according to a common index. The <code>XLAT</code> instruction can help us with this task, however that instruction only works with 8-bit data, which is not always what we're after. In this example, we're using numbers 0 through 7 to look up a table of pointers to strings. When declaring a table like this, these DO take up space in your program.
<syntaxhighlight lang="asm">mov ax,seg DaysOfTheWeek
mov ds,ax
mov si,offset DaysOfTheWeek

mov bx,2 ;desired enumeration of 2 = Tuesday
add bx,bx ;double bx since this is a table of words
mov ax,[bx+si] ;load the address of the string "Tuesday" into ax
mov si,ax ;we can't load indirectly from AX, so move it into SI. We don't need the old value of SI anymore
mov al,[si] ;load the byte at [SI] (in this case, the "T" in Tuesday.)
ret

DaysOfTheWeek word Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday
;each is a pointer to a string containing the text you would expect.</syntaxhighlight>



=={{header|ACL2}}==
=={{header|ACL2}}==
Line 123: Line 153:
ACL2 doesn't have built-in enumerated types, but these macros add some basic support:
ACL2 doesn't have built-in enumerated types, but these macros add some basic support:


<lang Lisp>(defun symbol-to-constant (sym)
<syntaxhighlight lang="lisp">(defun symbol-to-constant (sym)
(intern (concatenate 'string "*" (symbol-name sym) "*")
(intern (concatenate 'string "*" (symbol-name sym) "*")
"ACL2"))
"ACL2"))
Line 144: Line 174:


(defmacro enum (&rest symbols)
(defmacro enum (&rest symbols)
`(enum-with-vals ,@(interleave-with-nats symbols)))</lang>
`(enum-with-vals ,@(interleave-with-nats symbols)))</syntaxhighlight>


=={{header|Ada}}==
=={{header|Ada}}==
Ada enumeration types have three distinct attributes, the enumeration literal, the enumeration position, and the representation value. The position value (starting with 0) is implied from the order of specification of the enumeration literals in the type declaration; it provides the ordering for the enumeration values. In the example below, apple (position 0) is less than banana (position 1) which is less than cherry (position 3) due to their positions, not due to their enumeration literal. An enumeration representation, when given, must not violate the order.
Ada enumeration types have three distinct attributes, the enumeration literal, the enumeration position, and the representation value. The position value (starting with 0) is implied from the order of specification of the enumeration literals in the type declaration; it provides the ordering for the enumeration values. In the example below, apple (position 0) is less than banana (position 1) which is less than cherry (position 3) due to their positions, not due to their enumeration literal. An enumeration representation, when given, must not violate the order.
<lang ada>type Fruit is (apple, banana, cherry); -- No specification of the representation value;
<syntaxhighlight lang="ada">type Fruit is (apple, banana, cherry); -- No specification of the representation value;
for Fruit use (apple => 1, banana => 2, cherry => 4); -- specification of the representation values</lang>
for Fruit use (apple => 1, banana => 2, cherry => 4); -- specification of the representation values</syntaxhighlight>
Ada enumeration types are non-numeric discrete types. They can be used to index arrays, but there are no arithmetic operators for enumeration types; instead, there are predecessor and successor operations. Characters are implemented as an enumeration type in Ada.
Ada enumeration types are non-numeric discrete types. They can be used to index arrays, but there are no arithmetic operators for enumeration types; instead, there are predecessor and successor operations. Characters are implemented as an enumeration type in Ada.


Line 165: Line 195:
compatible with INT and so FRUITS inherit/share all INT's operators
compatible with INT and so FRUITS inherit/share all INT's operators
and procedures.
and procedures.
<lang algol68>BEGIN # example 1 #
<syntaxhighlight lang="algol68">BEGIN # example 1 #
MODE FRUIT = INT;
MODE FRUIT = INT;
FRUIT apple = 1, banana = 2, cherry = 4;
FRUIT apple = 1, banana = 2, cherry = 4;
Line 177: Line 207:
SKIP # other values #
SKIP # other values #
ESAC
ESAC
END;</lang>
END;</syntaxhighlight>
{{out}}
{{out}}
<pre>
<pre>
Line 194: Line 224:
least REPR (or ABS for INT type) must be defined if anything other then a
least REPR (or ABS for INT type) must be defined if anything other then a
'''case''' conditional clause is required.
'''case''' conditional clause is required.
<lang algol68>BEGIN # example 2 #
<syntaxhighlight lang="algol68">BEGIN # example 2 #
MODE ENUM = [0]CHAR; # something with minimal size #
MODE ENUM = [0]CHAR; # something with minimal size #
MODE APPLE = STRUCT(ENUM apple), BANANA = STRUCT(ENUM banana), CHERRY = STRUCT(ENUM cherry);
MODE APPLE = STRUCT(ENUM apple), BANANA = STRUCT(ENUM banana), CHERRY = STRUCT(ENUM cherry);
Line 217: Line 247:
SKIP # uninitialised FRUIT #
SKIP # uninitialised FRUIT #
ESAC
ESAC
END</lang>
END</syntaxhighlight>
{{out}}
{{out}}
<pre>
<pre>
Line 227: Line 257:


=={{header|AmigaE}}==
=={{header|AmigaE}}==
<lang amigae>ENUM APPLE, BANANA, CHERRY
<syntaxhighlight lang="amigae">ENUM APPLE, BANANA, CHERRY


PROC main()
PROC main()
Line 233: Line 263:
ForAll({x}, [APPLE, BANANA, CHERRY],
ForAll({x}, [APPLE, BANANA, CHERRY],
`WriteF('\d\n', x))
`WriteF('\d\n', x))
ENDPROC</lang>
ENDPROC</syntaxhighlight>


writes 0, 1, 2 to the console.
writes 0, 1, 2 to the console.
Line 239: Line 269:
=={{header|Arturo}}==
=={{header|Arturo}}==


<lang rebol>enum: [apple banana cherry]
<syntaxhighlight lang="rebol">enum: [apple banana cherry]
print "as a block of words:"
print "as a block of words:"
inspect.muted enum
inspect.muted enum
Line 253: Line 283:
]
]
print "\nas a dictionary:"
print "\nas a dictionary:"
print enum</lang>
print enum</syntaxhighlight>


{{out}}
{{out}}
Line 272: Line 302:
=={{header|ATS}}==
=={{header|ATS}}==


The wording of the task seems centered on C, where an '''enum''' is a notation for type '''int''', but it is true that the following type will be translated by the ATS compiler to C integers:
<lang ATS>datatype my_enum =

<syntaxhighlight lang="ats">datatype my_enum =
| value_a
| value_a
| value_b
| value_b
| value_c</lang>
| value_c</syntaxhighlight>

Within ATS itself, '''my_enum''' is a special case of recursive type definition. Similar facilities are available in ML dialects and other languages.

To "enumerate" with explicit integer values, I would simply define some constants, probably with '''#define''' (so I could use them in static expressions, etc.):
<syntaxhighlight lang="ats">#define value_a 1
#define value_b 2
#define value_c 3</syntaxhighlight>

You could still restrict things so no other values were possible:

<syntaxhighlight lang="ats">typedef my_enum = [i : int | value_a <= i; i <= value_c] int i</syntaxhighlight>

The value of a '''my_enum''' would be enforced ''at compile time''.


=={{header|AutoHotkey}}==
=={{header|AutoHotkey}}==
AutoHotkey doesn't really enforce types. <br>
AutoHotkey doesn't really enforce types. <br>
However you can simulate types like enumeration with associative arrays:
However you can simulate types like enumeration with associative arrays:
<lang AutoHotkey>fruit_%apple% = 0
<syntaxhighlight lang="autohotkey">fruit_%apple% = 0
fruit_%banana% = 1
fruit_%banana% = 1
fruit_%cherry% = 2</lang>
fruit_%cherry% = 2</syntaxhighlight>


=={{header|AWK}}==
=={{header|AWK}}==
In awk we can use an array, for mapping both ways, or initialize variables:
In awk we can use an array, for mapping both ways, or initialize variables:
<lang awk>fruit["apple"]=1; fruit["banana"]=2; fruit["cherry"]=3
<syntaxhighlight lang="awk">fruit["apple"]=1; fruit["banana"]=2; fruit["cherry"]=3
fruit[1]="apple"; fruit[2]="banana"; fruit[3]="cherry"
fruit[1]="apple"; fruit[2]="banana"; fruit[3]="cherry"
i=0; apple=++i; banana=++i; cherry=++i;</lang>
i=0; apple=++i; banana=++i; cherry=++i;</syntaxhighlight>


=={{header|BASIC}}==
=={{header|BASIC}}==
Line 294: Line 339:


{{works with|PB|7.1}}
{{works with|PB|7.1}}
<lang qbasic>REM Impossible. Can only be faked with arrays of strings.
<syntaxhighlight lang="qbasic">REM Impossible. Can only be faked with arrays of strings.
OPTION BASE 1
OPTION BASE 1
DIM SHARED fruitsName$(1 to 3)
DIM SHARED fruitsName$(1 to 3)
Line 309: Line 354:
apple% = 1
apple% = 1
banana% = 2
banana% = 2
cherry% = 3</lang>
cherry% = 3</syntaxhighlight>


==={{header|BaCon}}===
==={{header|BaCon}}===
BaCon includes an ENUM statement, with or without fixed values. If no value is given, enumerations start at zero and increase by integer 1.
BaCon includes an ENUM statement, with or without fixed values. If no value is given, enumerations start at zero and increase by integer 1.


<lang freebasic>' Enumerations
<syntaxhighlight lang="freebasic">' Enumerations
' Start at zero
' Start at zero
ENUM
ENUM
Line 331: Line 376:
sunday=7, monday=1, tuesday, wednesday, thursday, friday, saturday
sunday=7, monday=1, tuesday, wednesday, thursday, friday, saturday
END ENUM
END ENUM
PRINT sunday, " ", wednesday, " ", saturday</lang>
PRINT sunday, " ", wednesday, " ", saturday</syntaxhighlight>


{{out}}
{{out}}
Line 344: Line 389:
'Create a collection of constants that is a complete, ordered listing of all of the constants in that collection, with and without explicit values.'
'Create a collection of constants that is a complete, ordered listing of all of the constants in that collection, with and without explicit values.'
In Bracmat, each expression is a constant and can be used in situations where one would use an enum in other languages. All expressions have an ordering in sums and products. In the case of non-numeric strings the ordering is alphabetic. It is not possible in Bracmat to have a constant without an explicit value, because the constant is nothing but the value, so only half of the task can be solved.
In Bracmat, each expression is a constant and can be used in situations where one would use an enum in other languages. All expressions have an ordering in sums and products. In the case of non-numeric strings the ordering is alphabetic. It is not possible in Bracmat to have a constant without an explicit value, because the constant is nothing but the value, so only half of the task can be solved.
<lang bracmat>fruits=apple+banana+cherry;</lang>
<syntaxhighlight lang="bracmat">fruits=apple+banana+cherry;</syntaxhighlight>


=={{header|C}}==
=={{header|C}}==
<lang c>enum fruits { apple, banana, cherry };
<syntaxhighlight lang="c">enum fruits { apple, banana, cherry };


enum fruits { apple = 0, banana = 1, cherry = 2 };</lang>
enum fruits { apple = 0, banana = 1, cherry = 2 };</syntaxhighlight>


However, if defined like the above, in C you must use the type as <code>enum fruits</code>, not just <code>fruits</code>. A common practice in C (same with <code>struct</code>s) is to instead typedef the enum so you can refer to the type as a bare name:
However, if defined like the above, in C you must use the type as <code>enum fruits</code>, not just <code>fruits</code>. A common practice in C (same with <code>struct</code>s) is to instead typedef the enum so you can refer to the type as a bare name:


<lang c>typedef enum { apple, banana, cherry } fruits;
<syntaxhighlight lang="c">typedef enum { apple, banana, cherry } fruits;


typedef enum { apple = 0, banana = 1, cherry = 2 } fruits;</lang>
typedef enum { apple = 0, banana = 1, cherry = 2 } fruits;</syntaxhighlight>


=={{header|C sharp|C#}}==
=={{header|C sharp|C#}}==
<lang csharp>enum fruits { apple, banana, cherry }
<syntaxhighlight lang="csharp">enum fruits { apple, banana, cherry }


enum fruits { apple = 0, banana = 1, cherry = 2 }
enum fruits { apple = 0, banana = 1, cherry = 2 }
Line 365: Line 410:


[FlagsAttribute]
[FlagsAttribute]
enum Colors { Red = 1, Green = 2, Blue = 4, Yellow = 8 }</lang>
enum Colors { Red = 1, Green = 2, Blue = 4, Yellow = 8 }</syntaxhighlight>


Placing FlagsAttribute before an enum allows you to perform bitwise operations on the value.
Placing FlagsAttribute before an enum allows you to perform bitwise operations on the value.
Line 371: Line 416:


=={{header|C++}}==
=={{header|C++}}==
<lang cpp>enum fruits { apple, banana, cherry };
<syntaxhighlight lang="cpp">enum fruits { apple, banana, cherry };


enum fruits { apple = 0, banana = 1, cherry = 2 };</lang>
enum fruits { apple = 0, banana = 1, cherry = 2 };</syntaxhighlight>
Note that, unlike in C, you can refer to the type here as <code>fruits</code>.
Note that, unlike in C, you can refer to the type here as <code>fruits</code>.


Line 379: Line 424:
{{works with|C++11}}
{{works with|C++11}}
C++11 introduced "strongly typed enumerations", enumerations that cannot be implicitly converted to/from integers:
C++11 introduced "strongly typed enumerations", enumerations that cannot be implicitly converted to/from integers:
<lang cpp>enum class fruits { apple, banana, cherry };
<syntaxhighlight lang="cpp">enum class fruits { apple, banana, cherry };


enum class fruits { apple = 0, banana = 1, cherry = 2 };</lang>
enum class fruits { apple = 0, banana = 1, cherry = 2 };</syntaxhighlight>


These enumeration constants must be referred to as <code>fruits::apple</code>, not just <code>apple</code>.
These enumeration constants must be referred to as <code>fruits::apple</code>, not just <code>apple</code>.


You can explicitly specify an underlying type for the enum; the default is <code>int</code>:
You can explicitly specify an underlying type for the enum; the default is <code>int</code>:
<lang cpp>enum class fruits : unsigned int { apple, banana, cherry };</lang>
<syntaxhighlight lang="cpp">enum class fruits : unsigned int { apple, banana, cherry };</syntaxhighlight>


You can also explicitly specify an underlying type for old-style enums:
You can also explicitly specify an underlying type for old-style enums:
<lang cpp>enum fruits : unsigned int { apple, banana, cherry };</lang>
<syntaxhighlight lang="cpp">enum fruits : unsigned int { apple, banana, cherry };</syntaxhighlight>


=={{header|Clojure}}==
=={{header|Clojure}}==
In Clojure you will typically use keywords when you would use enums in other languages. Keywords are symbols that start with a colon and evaluate to themselves. For example:
In Clojure you will typically use keywords when you would use enums in other languages. Keywords are symbols that start with a colon and evaluate to themselves. For example:
<lang clojure>; a set of keywords
<syntaxhighlight lang="clojure">; a set of keywords
(def fruits #{:apple :banana :cherry})
(def fruits #{:apple :banana :cherry})


Line 403: Line 448:


(println (fruit? :apple))
(println (fruit? :apple))
(println (fruit-value :banana))</lang>
(println (fruit-value :banana))</syntaxhighlight>


=={{header|Common Lisp}}==
=={{header|Common Lisp}}==
Values:
Values:


<lang lisp>;; symbol to number
<syntaxhighlight lang="lisp">;; symbol to number
(defconstant +apple+ 0)
(defconstant +apple+ 0)
(defconstant +banana+ 1)
(defconstant +banana+ 1)
Line 415: Line 460:
;; number to symbol
;; number to symbol
(defun index-fruit (i)
(defun index-fruit (i)
(aref #(+apple+ +banana+ +cherry+) i))</lang>
(aref #(+apple+ +banana+ +cherry+) i))</syntaxhighlight>
Of course, the two definitions above can be produced by a single macro, if desired.
Of course, the two definitions above can be produced by a single macro, if desired.


Defining a type for documentation or checking purposes:
Defining a type for documentation or checking purposes:


<lang lisp>(deftype fruit ()
<syntaxhighlight lang="lisp">(deftype fruit ()
'(member +apple+ +banana+ +cherry+))</lang>
'(member +apple+ +banana+ +cherry+))</syntaxhighlight>
=={{header|Computer/zero Assembly}}==
Constants can be defined by simply storing their binary representation into memory. You've only got 32 bytes of RAM so don't waste them. This is the only way to use numeric values, as all instructions on the CPU take memory addresses as operands, not constants.
<syntaxhighlight lang="6502asm">LDA 4 ;load from memory address 4
STP
NOP
NOP
byte 1</syntaxhighlight>
The <code>NOP</code> and <code>STP</code> instructions ignore their operands, which means you can store arbitrary data inside those instructions that you can load from. This can save a little bit of memory.


=={{header|D}}==
=={{header|D}}==
<lang d>void main() {
<syntaxhighlight lang="d">void main() {
// Named enumeration (commonly used enum in D).
// Named enumeration (commonly used enum in D).
// The underlying type is a 32 bit int.
// The underlying type is a 32 bit int.
Line 473: Line 526:
// Use the & operator between BitFlags for intersection.
// Use the & operator between BitFlags for intersection.
assert (flagsGreen == (flagsRedGreen & flagsBlueGreen));
assert (flagsGreen == (flagsRedGreen & flagsBlueGreen));
}</lang>
}</syntaxhighlight>


=={{header|Delphi}}==
=={{header|Delphi}}==
In addition to [[#Pascal|standard Pascal]], one may explicitly specify an index:
In addition to [[#Pascal|standard Pascal]], one may explicitly specify an index:
<syntaxhighlight lang="delphi">type
<lang Delphi>type
fruit = (apple, banana, cherry);
fruit = (apple, banana, cherry);
ape = (gorilla = 0, chimpanzee = 1, orangutan = 5);</lang>
ape = (gorilla = 0, chimpanzee = 1, orangutan = 5);</syntaxhighlight>
Note, explicit indices ''have'' to be in ascending order.
Note, explicit indices ''have'' to be in ascending order.
You can also just specify explicit indices for ''some'' items.
You can also just specify explicit indices for ''some'' items.

=={{header|Diego}}==
Enumerations can have extra information appended such as <code>static</code> (static variable name); <code>colour</code> (human friendly colour name); <code>color</code> (robot friendly colour name); and <code>desc</code> (description used for robots to communicate with humans).

With explicit values:
<syntaxhighlight lang="diego">add_enum(⟪{int}⟫,⟦{str}⟧,urgency)
()_enum(⟪4⟫,⟦emergent⟧)_static(URGENCY_EMERGENT)_colour(red)_color({hex},#ca0031)_desc(The most urgent (critical) state, severe risk.);
()_enum(⟪3⟫,⟦exigent⟧)_static(URGENT_EXIGENT)_colour(orange)_color({hex},#ff6400)_desc(The high urgent state, high risk.);
()_enum(⟪2⟫,⟦urgent⟧)_static(URGENT_URGENT)_colour(yellow)_color({hex},#fce001)_desc(The elevated urgent state, elevated risk.);
()_enum(⟪1⟫,⟦infergent⟧)_static(URGENT_INFERGENT)_colour(blue)_color({hex},#3566cd)_desc(The low urgent state, low / guarded risk.);
()_enum(⟪0⟫,⟦nonurgent⟧)_static(URGENT_NON)_colour(green)_color({hex},#009a66)_desc(The non-urgent state, negligible risk.);
;</syntaxhighlight>

Without explicit values (and dynamic typing):
<syntaxhighlight lang="diego">add_enum(fruits,⟦apple,banana,cherry⟧);</syntaxhighlight>

Flag enumerations (multi-selectable enumerations) can be created using <code>enum</code>, however, there is an primitive <code>flag</code> object available. This is similar to <code>[Flags]</code> and <code>&lt;Flags&gt; _</code> flag attributes in C# and VB.Net respectively.

<syntaxhighlight lang="diego">add_flag(ape,⟦gorilla,chimpanzee,orangutan⟧);
log_console()_(ape);</syntaxhighlight>

Output:

<pre>⟪1⟫,⟦gorilla⟧,⟪2⟫,⟦chimpanzee⟧,⟪4⟫,⟦orangutan⟧</pre>


=={{header|DWScript}}==
=={{header|DWScript}}==


<lang Delphi>type TFruit = (Apple, Banana, Cherry);
<syntaxhighlight lang="delphi">type TFruit = (Apple, Banana, Cherry);
type TApe = (Gorilla = 0, Chimpanzee = 1, Orangutan = 5);</lang>
type TApe = (Gorilla = 0, Chimpanzee = 1, Orangutan = 5);</syntaxhighlight>


=={{header|E}}==
=={{header|E}}==
Simple group of object definitions (value methods could be left out if appropriate):
Simple group of object definitions (value methods could be left out if appropriate):


<lang e>def apple { to value() { return 0 } }
<syntaxhighlight lang="e">def apple { to value() { return 0 } }
def banana { to value() { return 1 } }
def banana { to value() { return 1 } }
def cherry { to value() { return 2 } }</lang>
def cherry { to value() { return 2 } }</syntaxhighlight>
With a guard for type checks:
With a guard for type checks:
<lang e>interface Fruit guards FruitStamp {}
<syntaxhighlight lang="e">interface Fruit guards FruitStamp {}
def apple implements FruitStamp {}
def apple implements FruitStamp {}
def banana implements FruitStamp {}
def banana implements FruitStamp {}
def cherry implements FruitStamp {}
def cherry implements FruitStamp {}


def eat(fruit :Fruit) { ... }</lang>
def eat(fruit :Fruit) { ... }</syntaxhighlight>
With and without values, using a hypothetical enumeration library:
With and without values, using a hypothetical enumeration library:
<lang e>def [Fruit, [=> apple, => banana, => cherry]] := makeEnumeration()
<syntaxhighlight lang="e">def [Fruit, [=> apple, => banana, => cherry]] := makeEnumeration()


def [Fruit, [=> apple, => banana, => cherry]] :=
def [Fruit, [=> apple, => banana, => cherry]] :=
makeEnumeration(0, ["apple", "banana", "cherry"])</lang>
makeEnumeration(0, ["apple", "banana", "cherry"])</syntaxhighlight>


=={{header|EGL}}==
=={{header|EGL}}==
{{works with|EDT}}
{{works with|EDT}}
<lang EGL>// Without explicit values
<syntaxhighlight lang="egl">// Without explicit values
enumeration FruitsKind
enumeration FruitsKind
APPLE,
APPLE,
Line 535: Line 612:
end
end


end</lang>
end</syntaxhighlight>
{{works with|EDT}}
{{works with|EDT}}
-and-
-and-
{{works with|RBD}}
{{works with|RBD}}
<lang EGL>// With explicit values
<syntaxhighlight lang="egl">// With explicit values
library FruitsKind type BasicLibrary {}
library FruitsKind type BasicLibrary {}
const APPLE int = 0;
const APPLE int = 0;
Line 566: Line 643:
end
end
</syntaxhighlight>
</lang>


=={{header|Elixir}}==
=={{header|Elixir}}==
It is possible to use a atom if the value is unrelated.
It is possible to use a atom if the value is unrelated.
<lang elixir>fruits = [:apple, :banana, :cherry]
<syntaxhighlight lang="elixir">fruits = [:apple, :banana, :cherry]
fruits = ~w(apple banana cherry)a # Above-mentioned different notation
fruits = ~w(apple banana cherry)a # Above-mentioned different notation
val = :banana
val = :banana
Enum.member?(fruits, val) #=> true
Enum.member?(fruits, val) #=> true
val in fruits #=> true</lang>
val in fruits #=> true</syntaxhighlight>


If they have to have a specific value
If they have to have a specific value
<lang elixir>fruits = [{:apple, 1}, {:banana, 2}, {:cherry, 3}] # Keyword list
<syntaxhighlight lang="elixir">fruits = [{:apple, 1}, {:banana, 2}, {:cherry, 3}] # Keyword list
fruits = [apple: 1, banana: 2, cherry: 3] # Above-mentioned different notation
fruits = [apple: 1, banana: 2, cherry: 3] # Above-mentioned different notation
fruits[:apple] #=> 1
fruits[:apple] #=> 1
Line 586: Line 663:
fruits[:apple] #=> 1
fruits[:apple] #=> 1
fruits.apple #=> 1 (Only When the key is Atom)
fruits.apple #=> 1 (Only When the key is Atom)
Map.has_key?(fruits, :banana) #=> true</lang>
Map.has_key?(fruits, :banana) #=> true</syntaxhighlight>


To give a number in turn, there is the following method.
To give a number in turn, there is the following method.
<lang elixir># Keyword list
<syntaxhighlight lang="elixir"># Keyword list
fruits = ~w(apple banana cherry)a |> Enum.with_index
fruits = ~w(apple banana cherry)a |> Enum.with_index
#=> [apple: 0, banana: 1, cherry: 2]
#=> [apple: 0, banana: 1, cherry: 2]
Line 595: Line 672:
# Map
# Map
fruits = ~w(apple banana cherry)a |> Enum.with_index |> Map.new
fruits = ~w(apple banana cherry)a |> Enum.with_index |> Map.new
#=> %{apple: 0, banana: 1, cherry: 2}</lang>
#=> %{apple: 0, banana: 1, cherry: 2}</syntaxhighlight>

=={{header|EMal}}==
<syntaxhighlight lang="emal">
in Org:RosettaCode
type Fruits
enum
int APPLE, BANANA, CHERRY
end
type ExplicitFruits
enum
int APPLE = 10
int BANANA = 20
int CHERRY = 1
end
type Main
for each generic enumeration in generic[Fruits, ExplicitFruits]
writeLine("[" + Generic.name(enumeration) + "]")
writeLine("getting an object with value = 1:")
writeLine(:enumeration.byValue(1))
writeLine("iterating over the items:")
for each var fruit in :enumeration
writeLine(fruit)
end
writeLine()
end
</syntaxhighlight>
{{out}}
<pre>
[Org:RosettaCode:Fruits]
getting an object with value = 1:
BANANA(1)
iterating over the items:
APPLE(0)
BANANA(1)
CHERRY(2)

[Org:RosettaCode:ExplicitFruits]
getting an object with value = 1:
CHERRY(1)
iterating over the items:
APPLE(10)
BANANA(20)
CHERRY(1)
</pre>


=={{header|Erlang}}==
=={{header|Erlang}}==
Line 603: Line 724:
=={{header|F_Sharp|F#}}==
=={{header|F_Sharp|F#}}==
Enumerations in F# always have explicit values:
Enumerations in F# always have explicit values:
<lang fsharp>type Fruit =
<syntaxhighlight lang="fsharp">type Fruit =
| Apple = 0
| Apple = 0
| Banana = 1
| Banana = 1
Line 609: Line 730:


let basket = [ Fruit.Apple ; Fruit.Banana ; Fruit.Cherry ]
let basket = [ Fruit.Apple ; Fruit.Banana ; Fruit.Cherry ]
Seq.iter (printfn "%A") basket</lang>
Seq.iter (printfn "%A") basket</syntaxhighlight>


If the initialization values are omitted, the resulting type is a discriminated union (algebraic data type) instead.
If the initialization values are omitted, the resulting type is a discriminated union (algebraic data type) instead.
Simple discriminated unions can be used similarly to enumerations, but they are never convertible from and to integers, and their internal representation is quite different.
Simple discriminated unions can be used similarly to enumerations, but they are never convertible from and to integers, and their internal representation is quite different.


<lang fsharp>type Fruit =
<syntaxhighlight lang="fsharp">type Fruit =
| Apple
| Apple
| Banana
| Banana
| Cherry
| Cherry
let basket = [ Apple ; Banana ; Cherry ]
let basket = [ Apple ; Banana ; Cherry ]
Seq.iter (printfn "%A") basket</lang>
Seq.iter (printfn "%A") basket</syntaxhighlight>


=={{header|Factor}}==
=={{header|Factor}}==


Enumerations are essentially association lists with values (keys) assigned sequentially from constants (values) provided by an initial sequence.
Enumerations are essentially association lists with values (keys) assigned sequentially from constants (values) provided by an initial sequence.
<lang factor>IN: scratchpad { "sun" "mon" "tue" "wed" "thur" "fri" "sat" } <enum>
<syntaxhighlight lang="factor">IN: scratchpad { "sun" "mon" "tue" "wed" "thur" "fri" "sat" } <enum>


--- Data stack:
--- Data stack:
Line 632: Line 753:
--- Data stack:
--- Data stack:
"mon"
"mon"
{ 0 1 2 3 4 5 6 }</lang>
{ 0 1 2 3 4 5 6 }</syntaxhighlight>
Factor also provides C-like enumerations in its C library interface. These enumerations may have explicit values.
Factor also provides C-like enumerations in its C library interface. These enumerations may have explicit values.
<lang factor>IN: scratchpad USE: alien.syntax
<syntaxhighlight lang="factor">IN: scratchpad USE: alien.syntax
IN: scratchpad ENUM: day sun mon { tue 42 } wed thur fri sat ;
IN: scratchpad ENUM: day sun mon { tue 42 } wed thur fri sat ;
IN: scratchpad 1 <day>
IN: scratchpad 1 <day>
Line 644: Line 765:
--- Data stack:
--- Data stack:
mon
mon
tue</lang>
tue</syntaxhighlight>


=={{header|Fantom}}==
=={{header|Fantom}}==
Line 650: Line 771:
Enumerations with named constants:
Enumerations with named constants:


<lang fantom>
<syntaxhighlight lang="fantom">
// create an enumeration with named constants
// create an enumeration with named constants
enum class Fruits { apple, banana, orange }
enum class Fruits { apple, banana, orange }
</syntaxhighlight>
</lang>


A private constructor can be added to initialise internal fields, which must be constant.
A private constructor can be added to initialise internal fields, which must be constant.


<syntaxhighlight lang="fantom">
<lang Fantom>
// create an enumeration with explicit values
// create an enumeration with explicit values
enum class Fruits_
enum class Fruits_
Line 665: Line 786:
private new make (Int value) { this.value = value }
private new make (Int value) { this.value = value }
}
}
</syntaxhighlight>
</lang>


=={{header|Forth}}==
=={{header|Forth}}==
Forth has no types, and therefore no enumeration type. To define sequential constants, a programmer might write code like this:
Forth has no types, and therefore no enumeration type. To define sequential constants, a programmer might write code like this:


<lang forth>0 CONSTANT apple
<syntaxhighlight lang="forth">0 CONSTANT apple
1 CONSTANT banana
1 CONSTANT banana
2 CONSTANT cherry
2 CONSTANT cherry
...</lang>
...</syntaxhighlight>
However, a common idiom in forth is to define a defining word, such as:
However, a common idiom in forth is to define a defining word, such as:
<lang forth>: ENUM ( n -<name>- n+1 ) DUP CONSTANT 1+ ;</lang>
<syntaxhighlight lang="forth">: ENUM ( n -<name>- n+1 ) DUP CONSTANT 1+ ;</syntaxhighlight>
This word defines a new constant of the value specified and returns the next value in sequence.
This word defines a new constant of the value specified and returns the next value in sequence.
It would be used like this:
It would be used like this:


<lang forth>0 ENUM APPLE ENUM BANANA ENUM CHERRY DROP</lang>
<syntaxhighlight lang="forth">0 ENUM APPLE ENUM BANANA ENUM CHERRY DROP</syntaxhighlight>


Or you can use CONSTANT to capture the "end" value instead of dropping it:
Or you can use CONSTANT to capture the "end" value instead of dropping it:


<lang forth>0 ENUM FIRST ENUM SECOND ... CONSTANT LAST</lang>
<syntaxhighlight lang="forth">0 ENUM FIRST ENUM SECOND ... CONSTANT LAST</syntaxhighlight>


A variation of this idea is the "stepped enumeration" that increases the value by more than 1, such as:
A variation of this idea is the "stepped enumeration" that increases the value by more than 1, such as:


<lang forth>: SIZED-ENUM ( n s -<name>- n+s ) OVER CONSTANT + ;
<syntaxhighlight lang="forth">: SIZED-ENUM ( n s -<name>- n+s ) OVER CONSTANT + ;
: CELL-ENUM ( n -<name>- n+cell ) CELL SIZED-ENUM ;</lang>
: CELL-ENUM ( n -<name>- n+cell ) CELL SIZED-ENUM ;</syntaxhighlight>


A programmer could combine these enum definers in any way desired:
A programmer could combine these enum definers in any way desired:


<lang forth>0 ENUM FIRST \ value = 0
<syntaxhighlight lang="forth">0 ENUM FIRST \ value = 0
CELL-ENUM SECOND \ value = 1
CELL-ENUM SECOND \ value = 1
ENUM THIRD \ value = 5
ENUM THIRD \ value = 5
3 SIZED-ENUM FOURTH \ value = 6
3 SIZED-ENUM FOURTH \ value = 6
ENUM FIFTH \ value = 9
ENUM FIFTH \ value = 9
CONSTANT SIXTH \ value = 10</lang>
CONSTANT SIXTH \ value = 10</syntaxhighlight>


Note that a similar technique is often used to implement structures in Forth.
Note that a similar technique is often used to implement structures in Forth.


For a simple zero-based sequence of constants, one could use a loop in the defining word:
For a simple zero-based sequence of constants, one could use a loop in the defining word:
<lang forth>: CONSTANTS ( n -- ) 0 DO I CONSTANT LOOP ;
<syntaxhighlight lang="forth">: CONSTANTS ( n -- ) 0 DO I CONSTANT LOOP ;


\ resistor digit colors
\ resistor digit colors
10 CONSTANTS black brown red orange yellow green blue violet gray white</lang>
10 CONSTANTS black brown red orange yellow green blue violet gray white</syntaxhighlight>


=={{header|Fortran}}==
=={{header|Fortran}}==
{{works with|Fortran|2003}}
{{works with|Fortran|2003}}
<lang fortran>enum, bind(c)
<syntaxhighlight lang="fortran">enum, bind(c)
enumerator :: one=1, two, three, four, five
enumerator :: one=1, two, three, four, five
enumerator :: six, seven, nine=9
enumerator :: six, seven, nine=9
end enum</lang>
end enum</syntaxhighlight>


The syntax
The syntax


<lang fortran>enum, bind(c) :: nametype
<syntaxhighlight lang="fortran">enum, bind(c) :: nametype
enumerator :: one=1, two, three
enumerator :: one=1, two, three
end enum nametype</lang>
end enum nametype</syntaxhighlight>


does not work with gfortran; it is used in some [http://docs.cray.com/books/S-3692-51/html-S-3692-51/z970507905n9123.html Cray docs] about Fortran, but the syntax shown at [http://publib.boulder.ibm.com/infocenter/comphelp/v8v101/index.jsp?topic=/com.ibm.xlf101a.doc/xlflr/enum.htm IBM] is the one gfortran can understand. (Cray's docs refer to Fortran 2003 draft, IBM docs refers to Fortran 2003 standard, but read the brief [http://publib.boulder.ibm.com/infocenter/comphelp/v8v101/topic/com.ibm.xlf101a.doc/xlflr/languagestandards.htm#wq17 Fortran 2003 Standard] section to understand why differences may exist...)
does not work with gfortran; it is used in some [http://docs.cray.com/books/S-3692-51/html-S-3692-51/z970507905n9123.html Cray docs] about Fortran, but the syntax shown at [http://publib.boulder.ibm.com/infocenter/comphelp/v8v101/index.jsp?topic=/com.ibm.xlf101a.doc/xlflr/enum.htm IBM] is the one gfortran can understand. (Cray's docs refer to Fortran 2003 draft, IBM docs refers to Fortran 2003 standard, but read the brief [http://publib.boulder.ibm.com/infocenter/comphelp/v8v101/topic/com.ibm.xlf101a.doc/xlflr/languagestandards.htm#wq17 Fortran 2003 Standard] section to understand why differences may exist...)
Line 729: Line 850:


=={{header|FreeBASIC}}==
=={{header|FreeBASIC}}==
<lang freebasic>' FB 1.05.0 Win64
<syntaxhighlight lang="freebasic">' FB 1.05.0 Win64


Enum Animals
Enum Animals
Line 745: Line 866:
Print Cat, Dog, Zebra
Print Cat, Dog, Zebra
Print Bulldog, Terrier, WolfHound
Print Bulldog, Terrier, WolfHound
Sleep</lang>
Sleep</syntaxhighlight>


{{out}}
{{out}}
Line 754: Line 875:


=={{header|FutureBasic}}==
=={{header|FutureBasic}}==
<syntaxhighlight lang="text">window 1, @"Enumerations", (0,0,480,270)
<lang>
include "ConsoleWindow"


begin enum 1
begin enum 1
Line 769: Line 889:
end enum
end enum


print "_apple ="; _apple
print "_apple = "; _apple
print "_banana ="; _banana
print "_banana = "; _banana
print "_cherry ="; _cherry
print "_cherry = "; _cherry
print
print
print "_appleExplicit ="; _appleExplicit
print "_appleExplicit = "; _appleExplicit
print "_bananaExplicit ="; _bananaExplicit
print "_bananaExplicit = "; _bananaExplicit
print "_cherryExplicit ="; _cherryExplicit
print "_cherryExplicit = "; _cherryExplicit

</lang>
HandleEvents</syntaxhighlight>


Output
Output
Line 791: Line 912:
=={{header|Go}}==
=={{header|Go}}==
Go's enumeration-like feature is called iota. It generates sequential integer constants.
Go's enumeration-like feature is called iota. It generates sequential integer constants.
<lang go>const (
<syntaxhighlight lang="go">const (
apple = iota
apple = iota
banana
banana
cherry
cherry
)</lang>
)</syntaxhighlight>
The above is equivalent to,
The above is equivalent to,
<lang go>const (
<syntaxhighlight lang="go">const (
apple = 0
apple = 0
banana = 1
banana = 1
cherry = 2
cherry = 2
)</lang>
)</syntaxhighlight>
Constants in Go are not typed they way variables are, they are typed when used just like literal constants.
Constants in Go are not typed they way variables are, they are typed when used just like literal constants.
Here is an example of a type safe enumeration:
Here is an example of a type safe enumeration:
<lang go>type fruit int
<syntaxhighlight lang="go">type fruit int


const (
const (
Line 810: Line 931:
banana
banana
cherry
cherry
)</lang>
)</syntaxhighlight>
And using explicit values (note each constant must be individual typed here unlike with iota):
And using explicit values (note each constant must be individual typed here unlike with iota):
<lang go>type fruit int
<syntaxhighlight lang="go">type fruit int


const (
const (
Line 818: Line 939:
banana fruit = 1
banana fruit = 1
cherry fruit = 2
cherry fruit = 2
)</lang>
)</syntaxhighlight>


=={{header|Groovy}}==
=={{header|Groovy}}==
Enumerations:
Enumerations:
<lang groovy>enum Fruit { apple, banana, cherry }
<syntaxhighlight lang="groovy">enum Fruit { apple, banana, cherry }


enum ValuedFruit {
enum ValuedFruit {
Line 832: Line 953:


println Fruit.values()
println Fruit.values()
println ValuedFruit.values()</lang>
println ValuedFruit.values()</syntaxhighlight>


{{out}}
{{out}}
Line 839: Line 960:


=={{header|Haskell}}==
=={{header|Haskell}}==
<lang haskell>data Fruit = Apple | Banana | Cherry deriving Enum</lang>
<syntaxhighlight lang="haskell">data Fruit = Apple | Banana | Cherry deriving Enum</syntaxhighlight>


=={{header|Huginn}}==
=={{header|Huginn}}==
<lang huginn>enum FRUIT {
<syntaxhighlight lang="huginn">enum FRUIT {
APPLE,
APPLE,
BANANA,
BANANA,
CHERRY
CHERRY
}</lang>
}</syntaxhighlight>


=={{header|Icon}} and {{header|Unicon}}==
=={{header|Icon}} and {{header|Unicon}}==
Nether Icon nor Unicon has an explicit enumeration type; however, there are several approaches that can be used for this purpose:
Nether Icon nor Unicon has an explicit enumeration type; however, there are several approaches that can be used for this purpose:


<lang Icon> fruits := [ "apple", "banana", "cherry", "apple" ] # a list keeps ordered data
<syntaxhighlight lang="icon"> fruits := [ "apple", "banana", "cherry", "apple" ] # a list keeps ordered data
fruits := set("apple", "banana", "cherry") # a set keeps unique data
fruits := set("apple", "banana", "cherry") # a set keeps unique data
fruits := table() # table keeps an unique data with values
fruits := table() # table keeps an unique data with values
fruits["apple"] := 1
fruits["apple"] := 1
fruits["banana"] := 2
fruits["banana"] := 2
fruits["cherry"] := 3</lang>
fruits["cherry"] := 3</syntaxhighlight>


=={{header|Inform 7}}==
=={{header|Inform 7}}==
<lang inform7>Fruit is a kind of value. The fruits are apple, banana, and cherry.</lang>
<syntaxhighlight lang="inform7">Fruit is a kind of value. The fruits are apple, banana, and cherry.</syntaxhighlight>


Inform 7 doesn't have conversions between enumerated values and numbers, but you can assign properties to enumerated values:
Inform 7 doesn't have conversions between enumerated values and numbers, but you can assign properties to enumerated values:
<lang inform7>[sentence form]
<syntaxhighlight lang="inform7">[sentence form]
Fruit is a kind of value. The fruits are apple, banana, and cherry.
Fruit is a kind of value. The fruits are apple, banana, and cherry.
A fruit has a number called numeric value.
A fruit has a number called numeric value.
The numeric value of apple is 1.
The numeric value of apple is 1.
The numeric value of banana is 2.
The numeric value of banana is 2.
The numeric value of cherry is 3.</lang>
The numeric value of cherry is 3.</syntaxhighlight>
<lang inform7>[table form]
<syntaxhighlight lang="inform7">[table form]
Fruit is a kind of value. The fruits are defined by the Table of Fruits.
Fruit is a kind of value. The fruits are defined by the Table of Fruits.


Line 875: Line 996:
apple 1
apple 1
banana 2
banana 2
cherry 3</lang>
cherry 3</syntaxhighlight>


=={{header|J}}==
=={{header|J}}==


J's typing system is fixed, and so extensions occur at the application level. For example, one could create an object
J's typing system is fixed, and so extensions occur at the application level. For example, one could create an object
<lang j> enum =: cocreate''
<syntaxhighlight lang="j"> enum =: cocreate''
( (;:'apple banana cherry') ,L:0 '__enum' ) =: i. 3
( (;:'apple banana cherry') ,L:0 '__enum' ) =: i. 3
cherry__enum
cherry__enum
2</lang>
2</syntaxhighlight>


But this is more akin to a "methodless class or object" than an enum in other languages.
But this is more akin to a "methodless class or object" than an enum in other languages.


That said, note that the "natural way", in J, of dealing with issues treated in other languages through enums is to use an array of names.
That said, note that the "natural way", in J, of dealing with issues treated in other languages through enums is to use an array of names.
<lang j> fruit=: ;:'apple banana cherry'</lang>
<syntaxhighlight lang="j"> fruit=: ;:'apple banana cherry'</syntaxhighlight>


Now you can get the name associated with an index:
Now you can get the name associated with an index:


<lang j> 2 { fruit
<syntaxhighlight lang="j"> 2 { fruit
+------+
+------+
|cherry|
|cherry|
+------+</lang>
+------+</syntaxhighlight>


And you can get the index associated with a name:
And you can get the index associated with a name:


<lang j> fruit i.<'banana'
<syntaxhighlight lang="j"> fruit i.<'banana'
1</lang>
1</syntaxhighlight>


And you can define an arithmetic with the enum for its domain and range. Here, for example, is 2=1+1:
And you can define an arithmetic with the enum for its domain and range. Here, for example, is 2=1+1:


<lang j> (<'banana') +&.(fruit&i.) <'banana'
<syntaxhighlight lang="j"> (<'banana') +&.(fruit&i.) <'banana'
+------+
+------+
|cherry|
|cherry|
+------+</lang>
+------+</syntaxhighlight>


And, you can iterate over the values (though an example of that is probably beyond the scope of this task), along with numerous other variations on these themes.
And, you can iterate over the values, along with numerous other variations on these themes.<syntaxhighlight lang="j"> {{for_example. fruit do. echo;example end.}} ''
apple
banana
cherry</syntaxhighlight>


A person could reasonably argue that enums were introduced in some languages to work around deficiencies in array handling in those languages.
(A person could reasonably argue that enums were introduced in some languages to work around deficiencies in array handling in those languages. But this would be a part of a larger discussion about type systems and the use of systems of bit patterns to represent information.)


=={{header|Java}}==
=={{header|Java}}==
{{works with|Java|1.5+}}
{{works with|Java|1.5+}}
<lang java5>enum Fruits{
<syntaxhighlight lang="java5">enum Fruits{
APPLE, BANANA, CHERRY
APPLE, BANANA, CHERRY
}</lang>
}</syntaxhighlight>
Or:
Or:
<lang java5>enum Fruits{
<syntaxhighlight lang="java5">enum Fruits{
APPLE(0), BANANA(1), CHERRY(2)
APPLE(0), BANANA(1), CHERRY(2)
private final int value;
private final int value;
fruits(int value) { this.value = value; }
fruits(int value) { this.value = value; }
public int value() { return value; }
public int value() { return value; }
}</lang>
}</syntaxhighlight>
Conventionally, enums have the same case rules as classes, while enum values are in all caps (like other constants). All cases are allowed for both names, though, as long as they don't conflict with other classes in the same package.
Conventionally, enums have the same case rules as classes, while enum values are in all caps (like other constants). All cases are allowed for both names, though, as long as they don't conflict with other classes in the same package.


Line 930: Line 1,054:
In javascript, usually used for this a strings.
In javascript, usually used for this a strings.


<lang javascript>
<syntaxhighlight lang="javascript">
// enum fruits { apple, banana, cherry }
// enum fruits { apple, banana, cherry }


Line 938: Line 1,062:
f = "banana";
f = "banana";
}
}
</syntaxhighlight>
</lang>


=={{header|jq}}==
=={{header|jq}}==
Line 955: Line 1,079:


=={{header|JScript.NET}}==
=={{header|JScript.NET}}==
<lang jscript>enum fruits { apple, banana, cherry }
<syntaxhighlight lang="jscript">enum fruits { apple, banana, cherry }
enum fruits { apple = 0, banana = 1, cherry = 2 }</lang>
enum fruits { apple = 0, banana = 1, cherry = 2 }</syntaxhighlight>


=={{header|JSON}}==
=={{header|JSON}}==
<lang json>{"fruits" : { "apple" : null, "banana" : null, "cherry" : null }
<syntaxhighlight lang="json">{"fruits" : { "apple" : null, "banana" : null, "cherry" : null }
{"fruits" : { "apple" : 0, "banana" : 1, "cherry" : 2 }</lang>
{"fruits" : { "apple" : 0, "banana" : 1, "cherry" : 2 }</syntaxhighlight>


=={{header|Julia}}==
=={{header|Julia}}==
<lang julia>
<syntaxhighlight lang="julia">
@enum Fruits APPLE BANANA CHERRY
@enum Fruits APPLE BANANA CHERRY
</syntaxhighlight>
</lang>


{{out}}
{{out}}
Line 978: Line 1,102:


=={{header|Kotlin}}==
=={{header|Kotlin}}==
<lang scala>// version 1.0.5-2
<syntaxhighlight lang="scala">// version 1.0.5-2


enum class Animals {
enum class Animals {
Line 992: Line 1,116:
println()
println()
for (value in Dogs.values()) println("${value.name.padEnd(9)} : ${value.id}")
for (value in Dogs.values()) println("${value.name.padEnd(9)} : ${value.id}")
}</lang>
}</syntaxhighlight>


{{out}}
{{out}}
Line 1,008: Line 1,132:
Lingo neither knows the concept of enumerations nor of constants. But an enumeration-like hash (property list) that is immutable concerning standard list methods and operators can be created by sub-classing a property list and overwriting list/property list access methods (which also overwrites bracket access operators on the fly):
Lingo neither knows the concept of enumerations nor of constants. But an enumeration-like hash (property list) that is immutable concerning standard list methods and operators can be created by sub-classing a property list and overwriting list/property list access methods (which also overwrites bracket access operators on the fly):


<lang lingo>-- parent script "Enumeration"
<syntaxhighlight lang="lingo">-- parent script "Enumeration"


property ancestor
property ancestor
Line 1,039: Line 1,163:
on addProp (me)
on addProp (me)
-- do nothing
-- do nothing
end</lang>
end</syntaxhighlight>


<lang lingo>enumeration = script("Enumeration").new("APPLE", "BANANA", "CHERRY")
<syntaxhighlight lang="lingo">enumeration = script("Enumeration").new("APPLE", "BANANA", "CHERRY")


put enumeration["BANANA"]
put enumeration["BANANA"]
Line 1,074: Line 1,198:
enumeration.addProp("FOO", 666)
enumeration.addProp("FOO", 666)
put enumeration["FOO"]
put enumeration["FOO"]
-- <Void></lang>
-- <Void></syntaxhighlight>


=={{header|Lua}}==
=={{header|Lua}}==
An explicit enum can be formed by mapping strings to numbers
An explicit enum can be formed by mapping strings to numbers


<lang lua>
<syntaxhighlight lang="lua">
local fruit = {apple = 0, banana = 1, cherry = 2}
local fruit = {apple = 0, banana = 1, cherry = 2}
</syntaxhighlight>
</lang>


or simply by local variables.
or simply by local variables.


<lang lua>
<syntaxhighlight lang="lua">
local apple, banana, cherry = 0,1,2
local apple, banana, cherry = 0,1,2
</syntaxhighlight>
</lang>


Although since Lua strings are interned, there is as much benefit to simply using strings.
Although since Lua strings are interned, there is as much benefit to simply using strings.


=={{header|M2000 Interpreter}}==
=={{header|M2000 Interpreter}}==
<syntaxhighlight lang="m2000 interpreter">
<lang M2000 Interpreter>
Module Checkit {
Module Checkit {
\\ need revision 15, version 9.4
\\ need revision 15, version 9.4
Line 1,149: Line 1,273:
}
}
Checkit
Checkit
</syntaxhighlight>
</lang>


=={{header|M4}}==
=={{header|M4}}==
<lang M4>define(`enums',
<syntaxhighlight lang="m4">define(`enums',
`define(`$2',$1)`'ifelse(eval($#>2),1,`enums(incr($1),shift(shift($@)))')')
`define(`$2',$1)`'ifelse(eval($#>2),1,`enums(incr($1),shift(shift($@)))')')
define(`enum',
define(`enum',
`enums(1,$@)')
`enums(1,$@)')
enum(a,b,c,d)
enum(a,b,c,d)
`c='c</lang>
`c='c</syntaxhighlight>


{{out}}
{{out}}
Line 1,166: Line 1,290:
=={{header|Mathematica}}/{{header|Wolfram Language}}==
=={{header|Mathematica}}/{{header|Wolfram Language}}==
Enumerations are not very useful in a symbolic language like Mathematica. If desired, an 'enum' function could be defined :
Enumerations are not very useful in a symbolic language like Mathematica. If desired, an 'enum' function could be defined :
<lang Mathematica>MapIndexed[Set, {A, B, F, G}]
<syntaxhighlight lang="mathematica">MapIndexed[Set, {A, B, F, G}]
->{{1}, {2}, {3}, {4}}
->{{1}, {2}, {3}, {4}}


Line 1,176: Line 1,300:


G
G
->{4}</lang>
->{4}</syntaxhighlight>


=={{header|MATLAB}} / {{header|Octave}}==
=={{header|MATLAB}} / {{header|Octave}}==
Line 1,182: Line 1,306:


Example:
Example:
<lang MATLAB>stuff = {'apple', [1 2 3], 'cherry',1+2i}
<syntaxhighlight lang="matlab">stuff = {'apple', [1 2 3], 'cherry',1+2i}


stuff =
stuff =


'apple' [1x3 double] 'cherry' [1.000000000000000 + 2.000000000000000i]</lang>
'apple' [1x3 double] 'cherry' [1.000000000000000 + 2.000000000000000i]</syntaxhighlight>


=={{header|Metafont}}==
=={{header|Metafont}}==
Metafont has no an enumeration type. However we can define an useful macro to simulate an enumeration. E.g.
Metafont has no an enumeration type. However we can define an useful macro to simulate an enumeration. E.g.
<lang metafont>vardef enum(expr first)(text t) =
<syntaxhighlight lang="metafont">vardef enum(expr first)(text t) =
save ?; ? := first;
save ?; ? := first;
forsuffixes e := t: e := ?; ?:=?+1; endfor
forsuffixes e := t: e := ?; ?:=?+1; endfor
enddef;</lang>
enddef;</syntaxhighlight>


Usage example:
Usage example:


<lang metafont>enum(1, Apple, Banana, Cherry);
<syntaxhighlight lang="metafont">enum(1, Apple, Banana, Cherry);
enum(5, Orange, Pineapple, Qfruit);
enum(5, Orange, Pineapple, Qfruit);
show Apple, Banana, Cherry, Orange, Pineapple, Qfruit;
show Apple, Banana, Cherry, Orange, Pineapple, Qfruit;


end</lang>
end</syntaxhighlight>


=={{header|Modula-3}}==
=={{header|Modula-3}}==
<lang modula3>TYPE Fruit = {Apple, Banana, Cherry};</lang>
<syntaxhighlight lang="modula3">TYPE Fruit = {Apple, Banana, Cherry};</syntaxhighlight>
The values are accessed by qualifying their names.
The values are accessed by qualifying their names.
<lang modula3>fruit := Fruit.Apple;</lang>
<syntaxhighlight lang="modula3">fruit := Fruit.Apple;</syntaxhighlight>
You can get an element's position in the enumeration by using <code>ORD</code> and get the element given the position by using <code>VAL</code>.
You can get an element's position in the enumeration by using <code>ORD</code> and get the element given the position by using <code>VAL</code>.
<lang modula3>ORD(Fruit.Apple); (* Returns 0 *)
<syntaxhighlight lang="modula3">ORD(Fruit.Apple); (* Returns 0 *)
VAL(0, Fruit); (* Returns Fruit.Apple *)</lang>
VAL(0, Fruit); (* Returns Fruit.Apple *)</syntaxhighlight>


=={{header|Nemerle}}==
=={{header|Nemerle}}==
<lang Nemerle>enum Fruit {
<syntaxhighlight lang="nemerle">enum Fruit {
|apple
|apple
|banana
|banana
Line 1,223: Line 1,347:
|summer = 3
|summer = 3
|autumn = 4
|autumn = 4
}</lang>
}</syntaxhighlight>


=={{header|Nim}}==
=={{header|Nim}}==
<lang nim># Simple declaration.
<syntaxhighlight lang="nim"># Simple declaration.
type Fruits1 = enum aApple, aBanana, aCherry
type Fruits1 = enum aApple, aBanana, aCherry


Line 1,248: Line 1,372:
Apple = (1, "apple")
Apple = (1, "apple")
Banana = 3 # implicit name is "Banana".
Banana = 3 # implicit name is "Banana".
Cherry = "cherry" # implicit value is 4.</lang>
Cherry = "cherry" # implicit value is 4.</syntaxhighlight>


=={{header|Objeck}}==
=={{header|Objeck}}==
<lang objeck>
<syntaxhighlight lang="objeck">
enum Color := -3 {
enum Color := -3 {
Red,
Red,
Line 1,263: Line 1,387:
Terrier
Terrier
}
}
</syntaxhighlight>
</lang>


=={{header|Objective-C}}==
=={{header|Objective-C}}==
With iOS 6+ SDK / Mac OS X 10.8+ SDK:
With iOS 6+ SDK / Mac OS X 10.8+ SDK:
<lang objc>typedef NS_ENUM(NSInteger, fruits) { apple, banana, cherry };
<syntaxhighlight lang="objc">typedef NS_ENUM(NSInteger, fruits) { apple, banana, cherry };


typedef NS_ENUM(NSInteger, fruits) { apple = 0, banana = 1, cherry = 2 };</lang>
typedef NS_ENUM(NSInteger, fruits) { apple = 0, banana = 1, cherry = 2 };</syntaxhighlight>


=={{header|OCaml}}==
=={{header|OCaml}}==
<lang ocaml>type fruit =
<syntaxhighlight lang="ocaml">type fruit =
| Apple
| Apple
| Banana
| Banana
| Cherry</lang>
| Cherry</syntaxhighlight>

=={{header|Odin}}==

<syntaxhighlight lang="odin">package main

Fruit :: enum {
Apple,
Banana,
Cherry,
}

FruitWithNumber :: enum {
Strawberry = 0,
Pear = 27,
}

main :: proc() {
b := Fruit.Banana
assert(int(b) == 1) // Enums always have implicit values

p := FruitWithNumber.Pear
assert(int(p) == 27)
}</syntaxhighlight>


=={{header|Oforth}}==
=={{header|Oforth}}==
Line 1,285: Line 1,432:
Symbols begin with $. If the symbol does not exists yet, it is created.
Symbols begin with $. If the symbol does not exists yet, it is created.


<lang Oforth>[ $apple, $banana, $cherry ] const: Fruits</lang>
<syntaxhighlight lang="oforth">[ $apple, $banana, $cherry ] const: Fruits</syntaxhighlight>


=={{header|Ol}}==
=={{header|Ol}}==
Ol enumerations is an builtin "ff"s as a simple fast dictionaries with number, constant or symbol keys and any typed values.
Ol enumerations is an builtin "ff"s as a simple fast dictionaries with number, constant or symbol keys and any typed values.


<lang scheme>
<syntaxhighlight lang="scheme">
(define fruits '{
(define fruits '{
apple 0
apple 0
Line 1,318: Line 1,465:
(print (make-enumeration 'apple 'banana 'cherry))
(print (make-enumeration 'apple 'banana 'cherry))
; ==> '#ff((apple . 0) (banana . 1) (cherry . 2))
; ==> '#ff((apple . 0) (banana . 1) (cherry . 2))
</syntaxhighlight>
</lang>


=={{header|OxygenBasic}}==
=={{header|OxygenBasic}}==


<lang>
<syntaxhighlight lang="text">
enum fruits
enum fruits
apple
apple
Line 1,339: Line 1,486:
' banana 15
' banana 15
' mango 16
' mango 16
</syntaxhighlight>
</lang>


=={{header|Oz}}==
=={{header|Oz}}==
Most of the time you will just use atoms where you would use enums in C. Atoms start with a lower-case letter and are just symbols that evaluate to themselves. For example:
Most of the time you will just use atoms where you would use enums in C. Atoms start with a lower-case letter and are just symbols that evaluate to themselves. For example:
<lang oz>declare
<syntaxhighlight lang="oz">declare
fun {IsFruit A}
fun {IsFruit A}
{Member A [apple banana cherry]}
{Member A [apple banana cherry]}
end
end
in
in
{Show {IsFruit banana}}</lang>
{Show {IsFruit banana}}</syntaxhighlight>


If you need constants with increasing values, you could just enumerate them manually:
If you need constants with increasing values, you could just enumerate them manually:
<lang oz>declare
<syntaxhighlight lang="oz">declare
Apple = 1
Apple = 1
Banana = 2
Banana = 2
Cherry = 3</lang>
Cherry = 3</syntaxhighlight>


Or you could write a procedure that does the job automatically:
Or you could write a procedure that does the job automatically:
<lang oz>declare
<syntaxhighlight lang="oz">declare
proc {Enumeration Xs}
proc {Enumeration Xs}
Xs = {List.number 1 {Length Xs} 1}
Xs = {List.number 1 {Length Xs} 1}
Line 1,364: Line 1,511:
[Apple Banana Cherry] = {Enumeration}
[Apple Banana Cherry] = {Enumeration}
in
in
{Show Cherry}</lang>
{Show Cherry}</syntaxhighlight>


=={{header|Pascal}}==
=={{header|Pascal}}==
Line 1,370: Line 1,517:
An explicit index may not be specified, but [[#Delphi|Delphi]] and [[#Free Pascal|Free Pascal]] allow this.
An explicit index may not be specified, but [[#Delphi|Delphi]] and [[#Free Pascal|Free Pascal]] allow this.
However, it is guaranteed, that the <tt>ord</tt>inal value will correspond to the member’s position in the list (<tt>0</tt>-based).
However, it is guaranteed, that the <tt>ord</tt>inal value will correspond to the member’s position in the list (<tt>0</tt>-based).
<lang pascal>type
<syntaxhighlight lang="pascal">type
phase = (red, green, blue);</lang>
phase = (red, green, blue);</syntaxhighlight>


=={{header|Perl}}==
=={{header|Perl}}==
<lang perl># Using an array
<syntaxhighlight lang="perl"># Using an array
my @fruits = qw(apple banana cherry);
my @fruits = qw(apple banana cherry);


# Using a hash
# Using a hash
my %fruits = ( apple => 0, banana => 1, cherry => 2 );</lang>
my %fruits = ( apple => 0, banana => 1, cherry => 2 );</syntaxhighlight>


=={{header|Phix}}==
=={{header|Phix}}==
{{libheader|Phix/basics}}
{{libheader|Phix/basics}}
<!--<lang Phix>-->
<!--<syntaxhighlight lang="phix">-->
<span style="color: #008080;">enum</span> <span style="color: #000000;">apple<span style="color: #0000FF;">,</span> <span style="color: #000000;">banana<span style="color: #0000FF;">,</span> <span style="color: #000000;">orange</span>
<span style="color: #008080;">enum</span> <span style="color: #000000;">apple<span style="color: #0000FF;">,</span> <span style="color: #000000;">banana<span style="color: #0000FF;">,</span> <span style="color: #000000;">orange</span>
<span style="color: #008080;">enum</span> <span style="color: #000000;">apple<span style="color: #0000FF;">=<span style="color: #000000;">5<span style="color: #0000FF;">,</span> <span style="color: #000000;">banana<span style="color: #0000FF;">=<span style="color: #000000;">10<span style="color: #0000FF;">,</span> <span style="color: #000000;">orange<span style="color: #0000FF;">=
<span style="color: #008080;">enum</span> <span style="color: #000000;">apple<span style="color: #0000FF;">=<span style="color: #000000;">5<span style="color: #0000FF;">,</span> <span style="color: #000000;">banana<span style="color: #0000FF;">=<span style="color: #000000;">10<span style="color: #0000FF;">,</span> <span style="color: #000000;">orange<span style="color: #0000FF;">=
<!--</lang>-->
<!--</syntaxhighlight>-->


=={{header|PHP}}==
=={{header|PHP}}==
<lang php>// Using an array/hash
<syntaxhighlight lang="php">// Using an array/hash
$fruits = array( "apple", "banana", "cherry" );
$fruits = array( "apple", "banana", "cherry" );
$fruits = array( "apple" => 0, "banana" => 1, "cherry" => 2 );
$fruits = array( "apple" => 0, "banana" => 1, "cherry" => 2 );
Line 1,405: Line 1,552:
define("FRUIT_APPLE", 0);
define("FRUIT_APPLE", 0);
define("FRUIT_BANANA", 1);
define("FRUIT_BANANA", 1);
define("FRUIT_CHERRY", 2);</lang>
define("FRUIT_CHERRY", 2);</syntaxhighlight>

=={{header|Picat}}==
{{trans|Prolog}}
Picat doesn't have enumerations but they can be simulated by facts.

<syntaxhighlight lang="picat">fruit(apple,1).
fruit(banana,2).
fruit(cherry,4).
print_fruit_name(N) :-
fruit(Name,N),
printf("It is %w\nn", Name).</syntaxhighlight>



=={{header|PicoLisp}}==
=={{header|PicoLisp}}==
Enumerations are not very useful in a symbolic language like PicoLisp. If
Enumerations are not very useful in a symbolic language like PicoLisp. If
desired, an 'enum' function could be defined:
desired, an 'enum' function could be defined:
<lang PicoLisp>(de enum "Args"
<syntaxhighlight lang="picolisp">(de enum "Args"
(mapc def "Args" (range 1 (length "Args"))) )</lang>
(mapc def "Args" (range 1 (length "Args"))) )</syntaxhighlight>
And used in this way:
And used in this way:
<lang PicoLisp>: (enum A B C D E F)
<syntaxhighlight lang="picolisp">: (enum A B C D E F)
-> F</lang>
-> F</syntaxhighlight>
<pre>: A
<pre>: A
-> 1
-> 1
Line 1,423: Line 1,583:


=={{header|PL/I}}==
=={{header|PL/I}}==
<syntaxhighlight lang="pl/i">
<lang PL/I>
define ordinal animal (frog, gnu, elephant, snake);
define ordinal animal (frog, gnu, elephant, snake);


define ordinal color (red value (1), green value (3), blue value (5));
define ordinal color (red value (1), green value (3), blue value (5));
</syntaxhighlight>
</lang>


=={{header|PowerShell}}==
=={{header|PowerShell}}==
Without explicit values.
Without explicit values.
{{works with|PowerShell|5}}
{{works with|PowerShell|5}}
<syntaxhighlight lang="powershell">
<lang PowerShell>
Enum fruits {
Enum fruits {
Apple
Apple
Line 1,441: Line 1,601:
[fruits]::Apple + 1
[fruits]::Apple + 1
[fruits]::Banana + 1
[fruits]::Banana + 1
</syntaxhighlight>
</lang>
<b>Output:</b>
<b>Output:</b>
<pre>
<pre>
Line 1,450: Line 1,610:
With explicit values.
With explicit values.
{{works with|PowerShell|5}}
{{works with|PowerShell|5}}
<syntaxhighlight lang="powershell">
<lang PowerShell>
Enum fruits {
Enum fruits {
Apple = 10
Apple = 10
Line 1,459: Line 1,619:
[fruits]::Apple + 1
[fruits]::Apple + 1
[fruits]::Banana + 1
[fruits]::Banana + 1
</syntaxhighlight>
</lang>
<pre>
<pre>
Apple
Apple
Line 1,469: Line 1,629:
Prolog doesn't have enums, but they can be simulated using a set of facts.
Prolog doesn't have enums, but they can be simulated using a set of facts.


<lang prolog>fruit(apple,1).
<syntaxhighlight lang="prolog">fruit(apple,1).
fruit(banana,2).
fruit(banana,2).
fruit(cherry,4).
fruit(cherry,4).
Line 1,475: Line 1,635:
write_fruit_name(N) :-
write_fruit_name(N) :-
fruit(Name,N),
fruit(Name,N),
format('It is a ~p~n', Name).</lang>
format('It is a ~p~n', Name).</syntaxhighlight>


=={{header|PureBasic}}==
=={{header|PureBasic}}==
Basic Enumeration is defined as
Basic Enumeration is defined as
<lang PureBasic>Enumeration
<syntaxhighlight lang="purebasic">Enumeration
#Apple
#Apple
#Banana
#Banana
#Cherry
#Cherry
EndEnumeration</lang>
EndEnumeration</syntaxhighlight>
This can also be adjusted to the form
This can also be adjusted to the form
<lang PureBasic>Enumeration 10200 Step 12
<syntaxhighlight lang="purebasic">Enumeration 10200 Step 12
#Constant1 ; 10200
#Constant1 ; 10200
#Constant2 ; 10212
#Constant2 ; 10212
Line 1,491: Line 1,651:
#Constant4 = 10117 ; 10117
#Constant4 = 10117 ; 10117
#Constant5 ; 10229
#Constant5 ; 10229
EndEnumeration</lang>
EndEnumeration</syntaxhighlight>
The system constant "#PB_Compiler_EnumerationValue" holds last defined value and can be used to chain to a previously started series.
The system constant "#PB_Compiler_EnumerationValue" holds last defined value and can be used to chain to a previously started series.


E.g. in combination with the code above;
E.g. in combination with the code above;
<lang PureBasic>Enumeration #PB_Compiler_EnumerationValue
<syntaxhighlight lang="purebasic">Enumeration #PB_Compiler_EnumerationValue
#Constant_A ; 10241
#Constant_A ; 10241
#Constant_B ; 10242
#Constant_B ; 10242
EndEnumeration</lang>
EndEnumeration</syntaxhighlight>


Enumeration groups can also be named to allow continuation where a previous named group left off.
Enumeration groups can also be named to allow continuation where a previous named group left off.
<lang PureBasic>;This starts the enumeration of a named group 'NamedGroup'.
<syntaxhighlight lang="purebasic">;This starts the enumeration of a named group 'NamedGroup'.
Enumeration NamedGroup 5
Enumeration NamedGroup 5
#Green ; 5
#Green ; 5
Line 1,519: Line 1,679:
#Yellow ; 7
#Yellow ; 7
#Red ; 8
#Red ; 8
EndEnumeration</lang>
EndEnumeration</syntaxhighlight>


=={{header|Python}}==
=={{header|Python}}==
Line 1,525: Line 1,685:
Note: [http://www.python.org/dev/peps/pep-0435/ enumerations have come to Python version 3.4].
Note: [http://www.python.org/dev/peps/pep-0435/ enumerations have come to Python version 3.4].


<lang python>>>> from enum import Enum
<syntaxhighlight lang="python">>>> from enum import Enum
>>> Contact = Enum('Contact', 'FIRST_NAME, LAST_NAME, PHONE')
>>> Contact = Enum('Contact', 'FIRST_NAME, LAST_NAME, PHONE')
>>> Contact.__members__
>>> Contact.__members__
Line 1,539: Line 1,699:
>>> Contact2.__members__
>>> Contact2.__members__
mappingproxy(OrderedDict([('FIRST_NAME', <Contact2.FIRST_NAME: 1>), ('LAST_NAME', <Contact2.LAST_NAME: 2>), ('PHONE', <Contact2.PHONE: 3>)]))
mappingproxy(OrderedDict([('FIRST_NAME', <Contact2.FIRST_NAME: 1>), ('LAST_NAME', <Contact2.LAST_NAME: 2>), ('PHONE', <Contact2.PHONE: 3>)]))
>>> </lang>
>>> </syntaxhighlight>


===Python: Pre version 3.4===
===Python: Pre version 3.4===
{{works with|Python|2.5}}
{{works with|Python|2.5}}
There is no special syntax, typically global variables are used with range:
There is no special syntax, typically global variables are used with range:
<lang python>FIRST_NAME, LAST_NAME, PHONE = range(3)</lang>
<syntaxhighlight lang="python">FIRST_NAME, LAST_NAME, PHONE = range(3)</syntaxhighlight>
Alternately, the above variables can be enumerated from a list with no predetermined length.
Alternately, the above variables can be enumerated from a list with no predetermined length.
<lang python>vars().update((key,val) for val,key in enumerate(("FIRST_NAME","LAST_NAME","PHONE")))</lang>
<syntaxhighlight lang="python">vars().update((key,val) for val,key in enumerate(("FIRST_NAME","LAST_NAME","PHONE")))</syntaxhighlight>


=={{header|R}}==
=={{header|R}}==
R does not have an enumeration type, though factors provide a similar functionality.
R does not have an enumeration type, though factors provide a similar functionality.
<lang R> factor(c("apple", "banana", "cherry"))
<syntaxhighlight lang="r"> factor(c("apple", "banana", "cherry"))
# [1] apple banana cherry
# [1] apple banana cherry
# Levels: apple banana cherry</lang>
# Levels: apple banana cherry</syntaxhighlight>
[http://tolstoy.newcastle.edu.au/R/help/04/07/0368.html This thread] in the R mail archive contains code for an enum-like class for traffic light colours.
[http://tolstoy.newcastle.edu.au/R/help/04/07/0368.html This thread] in the R mail archive contains code for an enum-like class for traffic light colours.


=={{header|Racket}}==
=={{header|Racket}}==


<syntaxhighlight lang="racket">
<lang Racket>
#lang racket
#lang racket


Line 1,599: Line 1,759:
((ctype-c->scheme _fruits) 4) ; -> '(CHERRY)
((ctype-c->scheme _fruits) 4) ; -> '(CHERRY)
((ctype-c->scheme _fruits) 5) ; -> '(APPLE CHERRY)
((ctype-c->scheme _fruits) 5) ; -> '(APPLE CHERRY)
</syntaxhighlight>
</lang>


=={{header|Raku}}==
=={{header|Raku}}==
Line 1,605: Line 1,765:
{{works with|Rakudo|2016.01}}
{{works with|Rakudo|2016.01}}


<lang perl6>enum Fruit <Apple Banana Cherry>; # Numbered 0 through 2.
<syntaxhighlight lang="raku" line>enum Fruit <Apple Banana Cherry>; # Numbered 0 through 2.


enum ClassicalElement (
enum ClassicalElement (
Line 1,612: Line 1,772:
'Fire', # gets the value 7
'Fire', # gets the value 7
Water => 10,
Water => 10,
);</lang>
);</syntaxhighlight>


=={{header|Raven}}==
=={{header|Raven}}==
<lang raven>{ 'apple' 0 'banana' 1 'cherry' 2 } as fruits</lang>
<syntaxhighlight lang="raven">{ 'apple' 0 'banana' 1 'cherry' 2 } as fruits</syntaxhighlight>


=={{header|Retro}}==
=={{header|Retro}}==
Retro has a library named '''enum'''' for creation of enumerated values.
Retro has a library named '''enum'''' for creation of enumerated values.


<lang Retro>'/examples/enum.retro include
<syntaxhighlight lang="retro">'/examples/enum.retro include


{ 'a=10 'b 'c 'd=998 'e 'f } a:enum
{ 'a=10 'b 'c 'd=998 'e 'f } a:enum
</syntaxhighlight>
</lang>


=={{header|REXX}}==
=={{header|REXX}}==
Line 1,630: Line 1,790:
<br>This REXX entry was kinda modeled after the '''BASIC''', '''Forth''', and
<br>This REXX entry was kinda modeled after the '''BASIC''', '''Forth''', and
'''VBA''' [which does its own enumeration, as does REXX below (as an inventory count)].
'''VBA''' [which does its own enumeration, as does REXX below (as an inventory count)].
<lang rexx>/*REXX program illustrates a method of enumeration of constants via stemmed arrays. */
<syntaxhighlight lang="rexx">/*REXX program illustrates a method of enumeration of constants via stemmed arrays. */
fruit.=0 /*the default for all possible "FRUITS." (zero). */
fruit.=0 /*the default for all possible "FRUITS." (zero). */
fruit.apple = 65
fruit.apple = 65
Line 1,684: Line 1,844:
end /*j*/
end /*j*/
end /*p*/
end /*p*/
/*stick a fork in it, we're all done. */</lang>
/*stick a fork in it, we're all done. */</syntaxhighlight>
'''output'''
'''output'''
<pre>
<pre>
Line 1,705: Line 1,865:


=={{header|Ring}}==
=={{header|Ring}}==
<lang ring>
<syntaxhighlight lang="ring">
apple = 0
apple = 0
banana = 1
banana = 1
Line 1,712: Line 1,872:
see "banana : " + banana + nl
see "banana : " + banana + nl
see "cherry : " + cherry + nl
see "cherry : " + cherry + nl
</syntaxhighlight>
</lang>


=={{header|Ruby}}==
=={{header|Ruby}}==
There are plenty of ways to represent '''enum''' in Ruby. Here it is just one example:
There are plenty of ways to represent '''enum''' in Ruby. Here it is just one example:
<lang ruby>module Fruits
<syntaxhighlight lang="ruby">module Fruits
APPLE = 0
APPLE = 0
BANANA = 1
BANANA = 1
Line 1,726: Line 1,886:
FRUITS = [:apple, :banana, :cherry]
FRUITS = [:apple, :banana, :cherry]
val = :banana
val = :banana
FRUITS.include?(val) #=> true</lang>
FRUITS.include?(val) #=> true</syntaxhighlight>
To give a number in turn, there is the following method.
To give a number in turn, there is the following method.
<lang ruby>module Card
<syntaxhighlight lang="ruby">module Card
# constants
# constants
SUITS = %i(Clubs Hearts Spades Diamonds)
SUITS = %i(Clubs Hearts Spades Diamonds)
Line 1,739: Line 1,899:
# PIP_VALUE = Hash[ PIPS.each.with_index(2).to_a ] # before it
# PIP_VALUE = Hash[ PIPS.each.with_index(2).to_a ] # before it
#=> {:"2"=>2, :"3"=>3, :"4"=>4, :"5"=>5, :"6"=>6, :"7"=>7, :"8"=>8, :"9"=>9, :"10"=>10, :Jack=>11, :Queen=>12, :King=>13, :Ace=>14}
#=> {:"2"=>2, :"3"=>3, :"4"=>4, :"5"=>5, :"6"=>6, :"7"=>7, :"8"=>8, :"9"=>9, :"10"=>10, :Jack=>11, :Queen=>12, :King=>13, :Ace=>14}
end</lang>
end</syntaxhighlight>


=={{header|Rust}}==
=={{header|Rust}}==
<lang rust>enum Fruits {
<syntaxhighlight lang="rust">enum Fruits {
Apple,
Apple,
Banana,
Banana,
Line 1,756: Line 1,916:
// Access to numerical value by conversion
// Access to numerical value by conversion
println!("{}", FruitsWithNumbers::Pear as u8);
println!("{}", FruitsWithNumbers::Pear as u8);
}</lang>
}</syntaxhighlight>


=={{header|Scala}}==
=={{header|Scala}}==
'''1. Using Algebraic Data Types:'''
'''1. Using Algebraic Data Types:'''
<lang actionscript>sealed abstract class Fruit
<syntaxhighlight lang="actionscript">sealed abstract class Fruit
case object Apple extends Fruit
case object Apple extends Fruit
case object Banana extends Fruit
case object Banana extends Fruit
case object Cherry extends Fruit
case object Cherry extends Fruit
</syntaxhighlight>
</lang>
'''2. Using scala.Enumeration:'''
'''2. Using scala.Enumeration:'''
<lang actionscript>object Fruit extends Enumeration {
<syntaxhighlight lang="actionscript">object Fruit extends Enumeration {
val Apple, Banana, Cherry = Value
val Apple, Banana, Cherry = Value
}
}
</syntaxhighlight>
</lang>


=={{header|Scheme}}==
=={{header|Scheme}}==
<lang scheme>(define apple 0)
<syntaxhighlight lang="scheme">(define apple 0)
(define banana 1)
(define banana 1)
(define cherry 2)
(define cherry 2)
Line 1,779: Line 1,939:
(or (equal? 'apple atom)
(or (equal? 'apple atom)
(equal? 'banana atom)
(equal? 'banana atom)
(equal? 'cherry atom)))</lang>
(equal? 'cherry atom)))</syntaxhighlight>
(This section needs attention from someone familiar with Scheme idioms.)
(This section needs attention from someone familiar with Scheme idioms.)
===Using syntax extension===
{{works with|Chez Scheme}}
'''The Implementation'''
<syntaxhighlight lang="scheme">; Syntax that implements a C-like enum; items without assignment take next value.
; Form: (enum <name> <item>...)
; Where <name> is a symbol that will be the name of the enum; <item> are one or
; more expressions that are either symbols or lists of symbol and integer value.
; The symbols are bound to the values. If a value is not given, then the next
; integer after the one bound to the previous symbol is used (starting at 0).
; The <name> itself is bound to an a-list of the item symbols and their values.

(define-syntax enum
(lambda (x)
(syntax-case x ()
((_ name itm1 itm2 ...)
(identifier? (syntax name))
(syntax
(begin
(define name '())
(enum-help name 0 itm1 itm2 ...)))))))

; Helper for (enum) syntax, above. Do not call directly!

(define-syntax enum-help
(lambda (x)
(syntax-case x ()
((_ name nxint)
(syntax (void)))
((_ name nxint (sym val) rest ...)
(and (identifier? (syntax sym))
(integer? (syntax-object->datum (syntax val))))
(syntax
(begin
(define sym val)
(set! name (cons (cons 'sym val) name))
(enum-help name (1+ val) rest ...))))
((_ name nxint sym rest ...)
(identifier? (syntax sym))
(syntax
(begin
(define sym nxint)
(set! name (cons (cons 'sym nxint) name))
(enum-help name (1+ nxint) rest ...)))))))</syntaxhighlight>
'''Example Use'''
<syntaxhighlight lang="scheme">(define-syntax test
(syntax-rules ()
((_ e)
(printf "~a --> ~s~%" 'e e))))

(printf "~%The 'foo' enum:~%")

(enum foo a (b 10) c (d 20) e (f 30) g)

(test a)
(test b)
(test c)
(test d)
(test e)
(test f)
(test g)
(test foo)
(test (assq 'd foo))
(test (assq 'm foo))

(printf "~%The 'bar' enum:~%")

(enum bar x y (z 99))

(test x)
(test y)
(test z)
(test bar)</syntaxhighlight>
{{out}}
<pre>The 'foo' enum:
a --> 0
b --> 10
c --> 11
d --> 20
e --> 21
f --> 30
g --> 31
foo --> ((g . 31) (f . 30) (e . 21) (d . 20) (c . 11) (b . 10) (a . 0))
(assq 'd foo) --> (d . 20)
(assq 'm foo) --> #f

The 'bar' enum:
x --> 0
y --> 1
z --> 99
bar --> ((z . 99) (y . 1) (x . 0))</pre>


=={{header|Seed7}}==
=={{header|Seed7}}==
<lang seed7>const type: fruits is new enum
<syntaxhighlight lang="seed7">const type: fruits is new enum
apple, banana, cherry
apple, banana, cherry
end enum;</lang>
end enum;</syntaxhighlight>


=={{header|Shen}}==
=={{header|Shen}}==
<lang shen>(tc +)
<syntaxhighlight lang="shen">(tc +)


(datatype fruit
(datatype fruit
Line 1,794: Line 2,044:
if (element? Fruit [apple banana cherry])
if (element? Fruit [apple banana cherry])
_____________
_____________
Fruit : fruit;)</lang>
Fruit : fruit;)</syntaxhighlight>


=={{header|Sidef}}==
=={{header|Sidef}}==
Implicit:
Implicit:
<lang ruby>enum {Apple, Banana, Cherry}; # numbered 0 through 2</lang>
<syntaxhighlight lang="ruby">enum {Apple, Banana, Cherry}; # numbered 0 through 2</syntaxhighlight>
Explicit:
Explicit:
<lang ruby>enum {
<syntaxhighlight lang="ruby">enum {
Apple=3,
Apple=3,
Banana, # gets the value 4
Banana, # gets the value 4
Cherry="a",
Cherry="a",
Orange, # gets the value "b"
Orange, # gets the value "b"
};</lang>
};</syntaxhighlight>


=={{header|Slate}}==
=={{header|Slate}}==
As just unique objects:
As just unique objects:
<lang slate>define: #Fruit &parents: {Cloneable}.
<syntaxhighlight lang="slate">define: #Fruit &parents: {Cloneable}.
Fruit traits define: #Apple -> Fruit clone.
Fruit traits define: #Apple -> Fruit clone.
Fruit traits define: #Banana -> Fruit clone.
Fruit traits define: #Banana -> Fruit clone.
Fruit traits define: #Cherry -> Fruit clone.</lang>
Fruit traits define: #Cherry -> Fruit clone.</syntaxhighlight>


As labels for primitive values:
As labels for primitive values:
<lang slate>define: #Apple -> 1.
<syntaxhighlight lang="slate">define: #Apple -> 1.
define: #Banana -> 2.
define: #Banana -> 2.
define: #Cherry -> 3.</lang>
define: #Cherry -> 3.</syntaxhighlight>


As a namespace:
As a namespace:
<lang slate>ensureNamespace: #fruit &slots: {#Apple -> 1. #Banana -> 2. #Cherry -> 3}.</lang>
<syntaxhighlight lang="slate">ensureNamespace: #fruit &slots: {#Apple -> 1. #Banana -> 2. #Cherry -> 3}.</syntaxhighlight>


Using a dictionary:
Using a dictionary:
<lang slate>define: #fruit &builder: [{#Apple -> 1. #Banana -> 2. #Cherry -> 3} as: Dictionary].</lang>
<syntaxhighlight lang="slate">define: #fruit &builder: [{#Apple -> 1. #Banana -> 2. #Cherry -> 3} as: Dictionary].</syntaxhighlight>


=={{header|Standard ML}}==
=={{header|Standard ML}}==
<lang sml>datatype fruit =
<syntaxhighlight lang="sml">datatype fruit =
Apple
Apple
| Banana
| Banana
| Cherry</lang>
| Cherry</syntaxhighlight>


=={{header|Swift}}==
=={{header|Swift}}==
<lang swift>enum Fruit {
<syntaxhighlight lang="swift">enum Fruit {
case Apple
case Apple
case Banana
case Banana
Line 1,847: Line 2,097:
case Summer = 3
case Summer = 3
case Autumn = 4
case Autumn = 4
}</lang>
}</syntaxhighlight>


=={{header|Tcl}}==
=={{header|Tcl}}==
It is normal in Tcl to use strings from a set directly rather than treating them as an enumeration, but enumerations can be simulated easily. The following elegant example comes straight from the [[http://wiki.tcl.tk/1308 Tcl wiki:]]
It is normal in Tcl to use strings from a set directly rather than treating them as an enumeration, but enumerations can be simulated easily. The following elegant example comes straight from the [[http://wiki.tcl.tk/1308 Tcl wiki:]]


<lang tcl>proc enumerate {name values} {
<syntaxhighlight lang="tcl">proc enumerate {name values} {
interp alias {} $name: {} lsearch $values
interp alias {} $name: {} lsearch $values
interp alias {} $name@ {} lindex $values
interp alias {} $name@ {} lindex $values
}</lang>
}</syntaxhighlight>


it would be used like this:
it would be used like this:


<lang tcl>enumerate fruit {apple blueberry cherry date elderberry}
<syntaxhighlight lang="tcl">enumerate fruit {apple blueberry cherry date elderberry}
fruit: date
fruit: date
# ==> prints "3"
# ==> prints "3"
fruit@ 2
fruit@ 2
# ==> prints "cherry"</lang>
# ==> prints "cherry"</syntaxhighlight>


=={{header|Toka}}==
=={{header|Toka}}==
Line 1,871: Line 2,121:
This library function takes a starting value and a list of names as shown in the example below.
This library function takes a starting value and a list of names as shown in the example below.


<lang toka>needs enum
<syntaxhighlight lang="toka">needs enum
0 enum| apple banana carrot |
0 enum| apple banana carrot |
10 enum| foo bar baz |</lang>
10 enum| foo bar baz |</syntaxhighlight>


=={{header|VBA}}==
=={{header|VBA}}==
Like Visual Basic .NET, actually:
Like Visual Basic .NET, actually:
<syntaxhighlight lang="vb">
<lang vb>
'this enumerates from 0
'this enumerates from 0
Enum fruits
Enum fruits
Line 1,901: Line 2,151:
Debug.Print "cherry plus kiwi plus pineapple equals "; cherry + kiwi + pineapple
Debug.Print "cherry plus kiwi plus pineapple equals "; cherry + kiwi + pineapple
End Sub
End Sub
</syntaxhighlight>
</lang>
{{out}}
{{out}}
<pre>
<pre>
Line 1,911: Line 2,161:


=={{header|Visual Basic .NET}}==
=={{header|Visual Basic .NET}}==
<lang vbnet>' Is this valid?!
<syntaxhighlight lang="vbnet">' Is this valid?!
Enum fruits
Enum fruits
apple
apple
Line 1,923: Line 2,173:
banana = 1
banana = 1
cherry = 2
cherry = 2
End Enum</lang>
End Enum</syntaxhighlight>


=={{header|Wren}}==
=={{header|Wren}}==
Line 1,929: Line 2,179:


The only way to give such a variable a value without setting it explicitly is to add one to the previous such variable which (in effect) is what a C-style enum does. If you declare a variable in Wren without giving it a value, then it is set to the special value ''null'' which is no help here.
The only way to give such a variable a value without setting it explicitly is to add one to the previous such variable which (in effect) is what a C-style enum does. If you declare a variable in Wren without giving it a value, then it is set to the special value ''null'' which is no help here.
<lang ecmascript>var APPLE = 1
<syntaxhighlight lang="wren">var APPLE = 1
var ORANGE = 2
var ORANGE = 2
var PEAR = 3
var PEAR = 3
Line 1,937: Line 2,187:
var GRAPE = BANANA + 1
var GRAPE = BANANA + 1


System.print([APPLE, ORANGE, PEAR, CHERRY, BANANA, GRAPE])</lang>
System.print([APPLE, ORANGE, PEAR, CHERRY, BANANA, GRAPE])</syntaxhighlight>


{{out}}
{{out}}
Line 1,947: Line 2,197:
<br>
<br>
{{libheader|Wren-dynamic}}
{{libheader|Wren-dynamic}}
<lang ecmascript>import "/dynamic" for Enum
<syntaxhighlight lang="wren">import "./dynamic" for Enum


var Fruit = Enum.create("Fruit", ["apple", "orange", "pear", "cherry", "banana", "grape"], 1)
var Fruit = Enum.create("Fruit", ["apple", "orange", "pear", "cherry", "banana", "grape"], 1)
System.print(Fruit.orange)
System.print(Fruit.orange)
System.print(Fruit.members[Fruit.cherry - 1])</lang>
System.print(Fruit.members[Fruit.cherry - 1])</syntaxhighlight>


{{out}}
{{out}}
Line 1,960: Line 2,210:


=={{header|XPL0}}==
=={{header|XPL0}}==
<lang XPL0>def \Fruit\ Apple, Banana, Cherry; \Apple=0, Banana=1, Cherry=2
<syntaxhighlight lang="xpl0">def \Fruit\ Apple, Banana, Cherry; \Apple=0, Banana=1, Cherry=2
def Apple=1, Banana=2, Cherry=4;
def Apple=1, Banana=2, Cherry=4;
</syntaxhighlight>
</lang>


=={{header|Z80 Assembly}}==
=={{header|Z80 Assembly}}==
Line 1,970: Line 2,220:


Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.
Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.
<lang z80>Sunday equ 0
<syntaxhighlight lang="z80">Sunday equ 0
Monday equ 1
Monday equ 1
Tuesday equ 2
Tuesday equ 2
Line 1,976: Line 2,226:
Thursday equ 4
Thursday equ 4
Friday equ 5
Friday equ 5
Saturday equ 6</lang>
Saturday equ 6</syntaxhighlight>


===Without Explicit Values===
===Without Explicit Values===
A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.
A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.


<lang z80>align 8 ;aligns "Days_Of_The_Week" to the next 256-byte boundary. The low byte of "Sunday" will be at memory location &XX00.
<syntaxhighlight lang="z80">align 8 ;aligns "Days_Of_The_Week" to the next 256-byte boundary. The low byte of "Sunday" will be at memory location &XX00.
;this simplifies the lookup process significantly.
;this simplifies the lookup process significantly.
Days_Of_The_Week:
Days_Of_The_Week:
Line 2,014: Line 2,264:
call PrintString ;prints a null-terminated string to the screen.
call PrintString ;prints a null-terminated string to the screen.
ret ;return to basic
ret ;return to basic
</syntaxhighlight>
</lang>


{{out}}
{{out}}
Line 2,023: Line 2,273:
=={{header|zkl}}==
=={{header|zkl}}==
Enums as thing or type is not supported but they can be simulated by running code at parse time (ie modify the AST before the compiler compiles it).
Enums as thing or type is not supported but they can be simulated by running code at parse time (ie modify the AST before the compiler compiles it).
<lang zkl>const RGB_COLOR{ // put color names in a name space
<syntaxhighlight lang="zkl">const RGB_COLOR{ // put color names in a name space
const RED =0xf00;
const RED =0xf00;
const BLUE=0x0f0, GREEN = 0x00f;
const BLUE=0x0f0, GREEN = 0x00f;
const CYAN=BLUE + GREEN; // → 0x0ff
const CYAN=BLUE + GREEN; // → 0x0ff
}
}
println(RGB_COLOR.BLUE);</lang>
println(RGB_COLOR.BLUE);</syntaxhighlight>
{{out}}
{{out}}
<pre>240</pre>
<pre>240</pre>


<lang zkl>const X0=N; // --> 0
<syntaxhighlight lang="zkl">const X0=N; // --> 0
const A=N,B=N,C=N; // --> 1,2,3
const A=N,B=N,C=N; // --> 1,2,3
const{ _n=-1; } // reset Enum, this should be a const space function
const{ _n=-1; } // reset Enum, this should be a const space function
const X=N; // -->0</lang>
const X=N; // -->0</syntaxhighlight>
Since const space runs at a different time [vs compile space], you need to really careful if you mix the two [spaces]:
Since const space runs at a different time [vs compile space], you need to really careful if you mix the two [spaces]:
<lang zkl>#continuing ...
<syntaxhighlight lang="zkl">#continuing ...
z:=N; // -->2 NOT 1 as it is set AFTER Y (compile time vs parse time)
z:=N; // -->2 NOT 1 as it is set AFTER Y (compile time vs parse time)
const Y=N; // -->1! because it is set before z</lang>
const Y=N; // -->1! because it is set before z</syntaxhighlight>


=={{header|zonnon}}==
=={{header|zonnon}}==
<lang zonnon>
<syntaxhighlight lang="zonnon">
module Enumerations;
module Enumerations;
type
type
Line 2,058: Line 2,308:
end
end
end Enumerations.
end Enumerations.
</syntaxhighlight>
</lang>
{{Out}}
{{Out}}
<pre>
<pre>

Latest revision as of 10:14, 30 November 2023

Task
Enumerations
You are encouraged to solve this task according to the task description, using any language you may know.
Task

Create an enumeration of constants with and without explicit values.

11l

T.enum TokenCategory
   NAME
   KEYWORD
   CONSTANT
   TEST_CATEGORY = 10

6502 Assembly

With Explicit Values

You can use labels to "name" any numeric value, whether it represents a constant or a memory location is up to the programmer. Code labels are automatically assigned a value based on what memory location they are assembled to.

Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.

Sunday equ 0
Monday equ 1
Tuesday equ 2
Wednesday equ 3
Thursday equ 4
Friday equ 5
Saturday equ 6

Some assemblers have an actual ENUM directive, where only the 0th element needs a defined value and the rest follow sequentially. This is often used for allocating RAM locations rather than a C-style enumeration, however. .DSB is a directive that stands for "data storage byte" and is listed after the label so that the assembler knows how big the variable is. In the example below the variable OBJECT_XPOS begins at $0400 and OBJECT_XPOS begins at $0410:

enum $0400
OBJECT_XPOS .dsb 16  ;define 16 bytes for object X position
OBJECT_YPOS .dsb 16  ;define 16 bytes for object Y position
ende

Without Explicit Values

A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.

Days_Of_The_Week:
    word Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday

Sunday:
    byte "Sunday",0
Monday:
    byte "Monday",0
Tuesday:
    byte "Tuesday",0
Wednesday:
    byte "Wednesday",0
Thursday:
    byte "Thursday",0
Friday:
    byte "Friday",0
Saturday:
    byte "Saturday",0


LDA #$03 ;we want to load Wednesday
ASL A    ;these are 16-bit pointers to strings, so double A
TAX      ;transfer A to X so that we can use this index as a lookup

LDA Days_Of_The_Week,x    ;get low byte
STA $00                   ;store in zero page memory
LDA Days_Of_The_Week+1,x  ;get high byte
STA $01                   ;store in zero page memory directly after low byte
LDY #0                    ;clear Y

LDA ($00),Y               ;Load the "W" of Wednesday into accumulator

68000 Assembly

Translation of: 6502 Assembly

With Explicit Values

You can use labels to "name" any numeric value, whether it represents a constant or a memory location is up to the programmer. Code labels are automatically assigned a value based on what memory location they are assembled to. The syntax for labels depends on your assembler; the example below uses VASM syntax and Motorola mnemonics.

Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.

Sunday equ 0
Monday equ 1
Tuesday equ 2
Wednesday equ 3
Thursday equ 4
Friday equ 5
Saturday equ 6


Without Explicit Values

A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.

Like in a C-style enumeration, Sunday would be 0, Monday 1, Tuesday 2, and so on. (Actually, Monday would be 4 and Tuesday would be 8 and so on, since these are 32-bit pointers.) It's a common practice to have the index live in RAM as a one-byte index, load it in a register, and then scale its register copy during the lookup process only. That way if multiple tables with different data sizes have a common index, the program doesn't need to remember which data type the index was last used to access.

Days_Of_The_Week:
    DC.L Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday

Sunday:
    DC.B "Sunday",0
    EVEN ;conditionally aligns to a 2-byte boundary if the data isn't aligned already
Monday:
    DC.B "Monday",0
    EVEN
Tuesday:
    DC.B "Tuesday",0
    EVEN
Wednesday:
    DC.B "Wednesday",0
    EVEN
Thursday:
    DC.B "Thursday",0
    EVEN
Friday:
    DC.B "Friday",0
    EVEN
Saturday:
    DC.B "Saturday",0
    EVEN

;In this example, load Thursday.

    LEA Days_Of_The_Week,A0   ;load base address of table into A0
    MOVE.W #4,D0              ;Thursday's index
    LSL.W #2,D0               ;multiply by 4 since each pointer is 32-bit
    LEA (A0,D0),A1            ;load table offset by D0 into A1
    MOVE.L (A1),A1            ;dereference the pointer, now the address of "Thursday" is in A1.
    MOVE.B (A1)+,D1           ;Load the "T" of Thursday into D1, auto-increment to next letter for the next load.

8086 Assembly

Translation of: 6502 Assembly

With Explicit Values

Most assemblers allow the use of an equ directive or something similar, where you can assign a label to a number for later use. These do not take up space in your program.

Sunday equ 0
Monday equ 1
Tuesday equ 2
Wednesday equ 3
Thursday equ 4
Friday equ 5
Saturday equ 6
Sunday equ 7

Without Explicit Values

A lookup table is often used to translate data according to a common index. The XLAT instruction can help us with this task, however that instruction only works with 8-bit data, which is not always what we're after. In this example, we're using numbers 0 through 7 to look up a table of pointers to strings. When declaring a table like this, these DO take up space in your program.

mov ax,seg DaysOfTheWeek
mov ds,ax
mov si,offset DaysOfTheWeek

mov bx,2       ;desired enumeration of 2 = Tuesday
add bx,bx      ;double bx since this is a table of words
mov ax,[bx+si] ;load the address of the string "Tuesday" into ax
mov si,ax      ;we can't load indirectly from AX, so move it into SI. We don't need the old value of SI anymore
mov al,[si]    ;load the byte at [SI] (in this case, the "T" in Tuesday.)
ret

DaysOfTheWeek word Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday  
;each is a pointer to a string containing the text you would expect.


ACL2

ACL2 doesn't have built-in enumerated types, but these macros add some basic support:

(defun symbol-to-constant (sym)
   (intern (concatenate 'string "*" (symbol-name sym) "*")
           "ACL2"))

(defmacro enum-with-vals (symbol value &rest args)
   (if (endp args)
       `(defconst ,(symbol-to-constant symbol) ,value)
       `(progn (defconst ,(symbol-to-constant symbol) ,value)
               (enum-with-vals ,@args))))

(defun interleave-with-nats-r (xs i)
   (if (endp xs)
       nil
       (cons (first xs)
             (cons i (interleave-with-nats-r (rest xs)
                                             (1+ i))))))

(defun interleave-with-nats (xs)
   (interleave-with-nats-r xs 0))

(defmacro enum (&rest symbols)
   `(enum-with-vals ,@(interleave-with-nats symbols)))

Ada

Ada enumeration types have three distinct attributes, the enumeration literal, the enumeration position, and the representation value. The position value (starting with 0) is implied from the order of specification of the enumeration literals in the type declaration; it provides the ordering for the enumeration values. In the example below, apple (position 0) is less than banana (position 1) which is less than cherry (position 3) due to their positions, not due to their enumeration literal. An enumeration representation, when given, must not violate the order.

type Fruit is (apple, banana, cherry); -- No specification of the representation value;
for Fruit use (apple => 1, banana => 2, cherry => 4); -- specification of the representation values

Ada enumeration types are non-numeric discrete types. They can be used to index arrays, but there are no arithmetic operators for enumeration types; instead, there are predecessor and successor operations. Characters are implemented as an enumeration type in Ada.

ALGOL 68

Translation of: C
Works with: ALGOL 68 version Standard - no extensions to language used
Works with: ALGOL 68G version Any - tested with release mk15-0.8b.fc9.i386
Works with: ELLA ALGOL 68 version Any (with appropriate job cards) - tested with release 1.8.8d.fc9.i386

Note: In this first example ALGOL 68's MODE does not create FRUITS as a distinct enumerated type. In particular FRUITS remain compatible with INT and so FRUITS inherit/share all INT's operators and procedures.

BEGIN # example 1 #
  MODE FRUIT = INT;
  FRUIT apple = 1, banana = 2, cherry = 4;
  FRUIT x := cherry;
  CASE x IN
    print(("It is an apple #",x, new line)),
    print(("It is a banana #",x, new line)),
    SKIP, # 3 not defined #
    print(("It is a cherry #",x, new line))
  OUT
    SKIP # other values #
  ESAC
END;
Output:
It is a cherry #          +4
Works with: ALGOL 68 version Standard - no extensions to language used
Works with: ALGOL 68G version Any - tested with release mk15-0.8b.fc9.i386
Works with: ELLA ALGOL 68 version Any (with appropriate job cards) - tested with release 1.8.8d.fc9.i386

In this second example ALGOL 68's tagged unions are used to generate the (private) values of the members of the enumerated type. However this new type comes with no operators, not even the "=" equality operator. Hence at least REPR (or ABS for INT type) must be defined if anything other then a case conditional clause is required.

BEGIN # example 2 #
  MODE ENUM = [0]CHAR; # something with minimal size #
  MODE APPLE = STRUCT(ENUM apple), BANANA = STRUCT(ENUM banana), CHERRY = STRUCT(ENUM cherry);
  MODE FRUIT = UNION(APPLE, BANANA, CHERRY);

  OP REPR = (FRUIT f)STRING:
    CASE f IN
      (APPLE):"Apple",
      (BANANA):"Banana",
      (CHERRY):"Cherry"
    OUT
      "?" # uninitalised #
    ESAC;

  FRUIT x := LOC CHERRY;

  CASE x IN
    (APPLE):print(("It is an ",REPR x, new line)),
    (BANANA):print(("It is a ",REPR x, new line)),
    (CHERRY):print(("It is a ",REPR x, new line))
  OUT
    SKIP # uninitialised FRUIT #
  ESAC
END
Output:
It is a Cherry

Warning: This second example is probably not how the conformity case clause construct was intended to be used.

See also: Standard Deviation for another example.

AmigaE

ENUM APPLE, BANANA, CHERRY

PROC main()
  DEF x
  ForAll({x}, [APPLE, BANANA, CHERRY],
         `WriteF('\d\n', x))
ENDPROC

writes 0, 1, 2 to the console.

Arturo

enum: [apple banana cherry]
print "as a block of words:"
inspect.muted enum

enum: ['apple 'banana 'cherry]
print "\nas a block of literals:"
print enum

enum: #[
    apple: 1
    banana: 2
    cherry: 3
]
print "\nas a dictionary:"
print enum
Output:
as a block of words:
[ :block
	apple :word
	banana :word
	cherry :word
]

as a block of literals:
apple banana cherry 

as a dictionary:
[apple:1 banana:2 cherry:3]

ATS

The wording of the task seems centered on C, where an enum is a notation for type int, but it is true that the following type will be translated by the ATS compiler to C integers:

datatype my_enum =
| value_a
| value_b
| value_c

Within ATS itself, my_enum is a special case of recursive type definition. Similar facilities are available in ML dialects and other languages.

To "enumerate" with explicit integer values, I would simply define some constants, probably with #define (so I could use them in static expressions, etc.):

#define value_a 1
#define value_b 2
#define value_c 3

You could still restrict things so no other values were possible:

typedef my_enum = [i : int | value_a <= i; i <= value_c] int i

The value of a my_enum would be enforced at compile time.

AutoHotkey

AutoHotkey doesn't really enforce types.
However you can simulate types like enumeration with associative arrays:

fruit_%apple% = 0
fruit_%banana% = 1
fruit_%cherry% = 2

AWK

In awk we can use an array, for mapping both ways, or initialize variables:

fruit["apple"]=1; fruit["banana"]=2; fruit["cherry"]=3
fruit[1]="apple"; fruit[2]="banana"; fruit[3]="cherry"
i=0; apple=++i; banana=++i; cherry=++i;

BASIC

Works with: QuickBasic version 4.5
Works with: PB version 7.1
REM Impossible. Can only be faked with arrays of strings.
OPTION BASE 1
DIM SHARED fruitsName$(1 to 3)
DIM SHARED fruitsVal%( 1 to 3)
fruitsName$[1] = "apple"
fruitsName$[2] = "banana"
fruitsName$[3] = "cherry"
fruitsVal%[1] = 1
fruitsVal%[2] = 2
fruitsVal%[3] = 3

REM OR GLOBAL CONSTANTS
DIM SHARED apple%, banana%, cherry%
apple%  = 1
banana% = 2
cherry% = 3

BaCon

BaCon includes an ENUM statement, with or without fixed values. If no value is given, enumerations start at zero and increase by integer 1.

' Enumerations
' Start at zero
ENUM
    cat, dog, parrot
END ENUM
PRINT "Dogs are #", dog

' Set value
ENUM
    Sunday=1, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday
END ENUM
PRINT Sunday, " ", Wednesday, " ", Saturday

' Change values, ENUM names must be unique
ENUM
    sunday=7, monday=1, tuesday, wednesday, thursday, friday, saturday
END ENUM
PRINT sunday, " ", wednesday, " ", saturday
Output:
prompt$ ./enums
Dogs are #1
1 4 7
7 3 6

Bracmat

Wikipedia says: 'An enumeration is a collection of items that is a complete, ordered listing of all of the items in that collection.' So the task is taken to be: 'Create a collection of constants that is a complete, ordered listing of all of the constants in that collection, with and without explicit values.' In Bracmat, each expression is a constant and can be used in situations where one would use an enum in other languages. All expressions have an ordering in sums and products. In the case of non-numeric strings the ordering is alphabetic. It is not possible in Bracmat to have a constant without an explicit value, because the constant is nothing but the value, so only half of the task can be solved.

fruits=apple+banana+cherry;

C

enum fruits { apple, banana, cherry };

enum fruits { apple = 0, banana = 1, cherry = 2 };

However, if defined like the above, in C you must use the type as enum fruits, not just fruits. A common practice in C (same with structs) is to instead typedef the enum so you can refer to the type as a bare name:

typedef enum { apple, banana, cherry } fruits;

typedef enum { apple = 0, banana = 1, cherry = 2 } fruits;

C#

enum fruits { apple, banana, cherry }

enum fruits { apple = 0, banana = 1, cherry = 2 }

enum fruits : int { apple = 0, banana = 1, cherry = 2 }

[FlagsAttribute]
enum Colors { Red = 1, Green = 2, Blue = 4, Yellow = 8 }

Placing FlagsAttribute before an enum allows you to perform bitwise operations on the value. Note: All enums have a value of 0 defined, even if not specified in the set values.

C++

enum fruits { apple, banana, cherry };

enum fruits { apple = 0, banana = 1, cherry = 2 };

Note that, unlike in C, you can refer to the type here as fruits.


Works with: C++11

C++11 introduced "strongly typed enumerations", enumerations that cannot be implicitly converted to/from integers:

enum class fruits { apple, banana, cherry };

enum class fruits { apple = 0, banana = 1, cherry = 2 };

These enumeration constants must be referred to as fruits::apple, not just apple.

You can explicitly specify an underlying type for the enum; the default is int:

enum class fruits : unsigned int { apple, banana, cherry };

You can also explicitly specify an underlying type for old-style enums:

enum fruits : unsigned int { apple, banana, cherry };

Clojure

In Clojure you will typically use keywords when you would use enums in other languages. Keywords are symbols that start with a colon and evaluate to themselves. For example:

; a set of keywords
(def fruits #{:apple :banana :cherry})

; a predicate to test "fruit" membership
(defn fruit? [x] (contains? fruits x))

; if you need a value associated with each fruit
(def fruit-value (zipmap fruits (iterate inc 1)))

(println (fruit? :apple))
(println (fruit-value :banana))

Common Lisp

Values:

;; symbol to number
(defconstant +apple+ 0)
(defconstant +banana+ 1)
(defconstant +cherry+ 2)

;; number to symbol
(defun index-fruit (i)
  (aref #(+apple+ +banana+ +cherry+) i))

Of course, the two definitions above can be produced by a single macro, if desired.

Defining a type for documentation or checking purposes:

(deftype fruit ()
  '(member +apple+ +banana+ +cherry+))

Computer/zero Assembly

Constants can be defined by simply storing their binary representation into memory. You've only got 32 bytes of RAM so don't waste them. This is the only way to use numeric values, as all instructions on the CPU take memory addresses as operands, not constants.

LDA 4 ;load from memory address 4
STP
NOP
NOP
byte 1

The NOP and STP instructions ignore their operands, which means you can store arbitrary data inside those instructions that you can load from. This can save a little bit of memory.

D

void main() {
    // Named enumeration (commonly used enum in D).
    // The underlying type is a 32 bit int.
    enum Fruits1 { apple, banana, cherry }

    // You can assign an enum to the general type, but not the opposite:
    int f1 = Fruits1.banana; // No error.
    // Fruits1 f2 = 1; // Error: cannot implicitly convert.

    // Anonymous enumeration, as in C, of type 32 bit int.
    enum { APPLE, BANANA, CHERRY }
    static assert(CHERRY == 2);

    // Named enumeration with specified values (int).
    enum Fruits2 { apple = 0, banana = 10, cherry = 20 }

    // Named enumeration, typed and with specified values.
    enum Fruits3 : ubyte { apple = 0, banana = 100, cherry = 200 }

    // Named enumeration, typed and with partially specified values.
    enum Test : ubyte { A = 2, B, C = 3 }
    static assert(Test.B == 3); // Uses the next ubyte, duplicated value.

    // This raises a compile-time error for overflow.
    // enum Fruits5 : ubyte { apple = 254, banana = 255, cherry }

    enum Component {
        none,
        red   = 2 ^^ 0,
        green = 2 ^^ 1,
        blue  = 2 ^^ 2
    }

    // Phobos BitFlags support all the most common operations on flags.
    // Some of the operations are shown below.
    import std.typecons: BitFlags;

    alias ComponentFlags = BitFlags!Component;
    immutable ComponentFlags flagsEmpty;

    // Value can be set with the | operator.
    immutable flagsRed = flagsEmpty | Component.red;

    immutable flagsGreen = ComponentFlags(Component.green);
    immutable flagsRedGreen = ComponentFlags(Component.red, Component.green);
    immutable flagsBlueGreen = ComponentFlags(Component.blue, Component.green);

    // Use the & operator between BitFlags for intersection.
    assert (flagsGreen == (flagsRedGreen & flagsBlueGreen));
}

Delphi

In addition to standard Pascal, one may explicitly specify an index:

type
	fruit = (apple, banana, cherry);
	ape = (gorilla = 0, chimpanzee = 1, orangutan = 5);

Note, explicit indices have to be in ascending order. You can also just specify explicit indices for some items.

Diego

Enumerations can have extra information appended such as static (static variable name); colour (human friendly colour name); color (robot friendly colour name); and desc (description used for robots to communicate with humans).

With explicit values:

add_enum(⟪{int}⟫,⟦{str}⟧,urgency)
    ()_enum(⟪4⟫,⟦emergent⟧)_static(URGENCY_EMERGENT)_colour(red)_color({hex},#ca0031)_desc(The most urgent (critical) state, severe risk.);
    ()_enum(⟪3⟫,⟦exigent⟧)_static(URGENT_EXIGENT)_colour(orange)_color({hex},#ff6400)_desc(The high urgent state, high risk.);
    ()_enum(⟪2⟫,⟦urgent⟧)_static(URGENT_URGENT)_colour(yellow)_color({hex},#fce001)_desc(The elevated urgent state, elevated risk.);
    ()_enum(⟪1⟫,⟦infergent⟧)_static(URGENT_INFERGENT)_colour(blue)_color({hex},#3566cd)_desc(The low urgent state, low / guarded risk.);
    ()_enum(⟪0⟫,⟦nonurgent⟧)_static(URGENT_NON)_colour(green)_color({hex},#009a66)_desc(The non-urgent state, negligible risk.);
;

Without explicit values (and dynamic typing):

add_enum(fruits,⟦apple,banana,cherry⟧);

Flag enumerations (multi-selectable enumerations) can be created using enum, however, there is an primitive flag object available. This is similar to [Flags] and <Flags> _ flag attributes in C# and VB.Net respectively.

add_flag(ape,⟦gorilla,chimpanzee,orangutan⟧);
log_console()_(ape);

Output:

⟪1⟫,⟦gorilla⟧,⟪2⟫,⟦chimpanzee⟧,⟪4⟫,⟦orangutan⟧

DWScript

type TFruit = (Apple, Banana, Cherry);
type TApe = (Gorilla = 0, Chimpanzee = 1, Orangutan = 5);

E

Simple group of object definitions (value methods could be left out if appropriate):

def apple  { to value() { return 0 } }
def banana { to value() { return 1 } }
def cherry { to value() { return 2 } }

With a guard for type checks:

interface Fruit guards FruitStamp {}
def apple  implements FruitStamp {}
def banana implements FruitStamp {}
def cherry implements FruitStamp {}

def eat(fruit :Fruit) { ... }

With and without values, using a hypothetical enumeration library:

def [Fruit, [=> apple, => banana, => cherry]] := makeEnumeration()

def [Fruit, [=> apple, => banana, => cherry]] :=
  makeEnumeration(0, ["apple", "banana", "cherry"])

EGL

Works with: EDT
// Without explicit values
enumeration FruitsKind
	APPLE,
	BANANA,
	CHERRY
end

program EnumerationTest
	
	function main()
		whatFruitAmI(FruitsKind.CHERRY);
	end
 
	function whatFruitAmI(fruit FruitsKind)
		case (fruit)
			when(FruitsKind.APPLE)
				syslib.writestdout("You're an apple.");
			when(FruitsKind.BANANA)
				syslib.writestdout("You're a banana.");
			when(FruitsKind.CHERRY)
				syslib.writestdout("You're a cherry.");
			otherwise
				syslib.writestdout("I'm not sure what you are.");
		end
	end

end
Works with: EDT

-and-

Works with: RBD
// With explicit values
library FruitsKind type BasicLibrary {}
	const APPLE int = 0;
	const BANANA int = 1;
	const CHERRY int = 2;
end

program EnumerationTest
	
	function main()
		whatFruitAmI(FruitsKind.CHERRY);
	end
 
	function whatFruitAmI(fruit int in)
		case (fruit)
			when(FruitsKind.APPLE)
				syslib.writestdout("You're an apple.");
			when(FruitsKind.BANANA)
				syslib.writestdout("You're a banana.");
			when(FruitsKind.CHERRY)
				syslib.writestdout("You're a cherry.");
			otherwise
				syslib.writestdout("I'm not sure what you are.");
		end
	end
	
end

Elixir

It is possible to use a atom if the value is unrelated.

fruits = [:apple, :banana, :cherry]
fruits = ~w(apple banana cherry)a                   # Above-mentioned different notation
val = :banana
Enum.member?(fruits, val)                           #=> true
val in fruits                                       #=> true

If they have to have a specific value

fruits = [{:apple, 1}, {:banana, 2}, {:cherry, 3}]  # Keyword list
fruits = [apple: 1, banana: 2, cherry: 3]           # Above-mentioned different notation
fruits[:apple]                                      #=> 1
Keyword.has_key?(fruits, :banana)                   #=> true

fruits = %{:apple=>1, :banana=>2, :cherry=>3}       # Map
fruits = %{apple: 1, banana: 2, cherry: 3}          # Above-mentioned different notation
fruits[:apple]                                      #=> 1
fruits.apple                                        #=> 1 (Only When the key is Atom)
Map.has_key?(fruits, :banana)                       #=> true

To give a number in turn, there is the following method.

# Keyword list
fruits = ~w(apple banana cherry)a |> Enum.with_index
#=> [apple: 0, banana: 1, cherry: 2]

# Map
fruits = ~w(apple banana cherry)a |> Enum.with_index |> Map.new
#=> %{apple: 0, banana: 1, cherry: 2}

EMal

in Org:RosettaCode
type Fruits
enum
  int APPLE, BANANA, CHERRY
end
type ExplicitFruits
enum
  int APPLE = 10
  int BANANA = 20
  int CHERRY = 1
end
type Main
for each generic enumeration in generic[Fruits, ExplicitFruits]
  writeLine("[" + Generic.name(enumeration) + "]")
  writeLine("getting an object with value = 1:")
  writeLine(:enumeration.byValue(1))
  writeLine("iterating over the items:")
  for each var fruit in :enumeration
    writeLine(fruit)
  end
  writeLine()
end
Output:
[Org:RosettaCode:Fruits]
getting an object with value = 1:
BANANA(1)
iterating over the items:
APPLE(0)
BANANA(1)
CHERRY(2)

[Org:RosettaCode:ExplicitFruits]
getting an object with value = 1:
CHERRY(1)
iterating over the items:
APPLE(10)
BANANA(20)
CHERRY(1)

Erlang

For the unspecific value enum use case, Erlang has atoms. You can use apple, banana, orange directly in the code. If they have to have a specific value they could be grouped like this: {apple, 1}, {banana, 3}, {orange, 8}

F#

Enumerations in F# always have explicit values:

type Fruit = 
  | Apple = 0
  | Banana = 1
  | Cherry = 2

let basket = [ Fruit.Apple ; Fruit.Banana ; Fruit.Cherry ]
Seq.iter (printfn "%A") basket

If the initialization values are omitted, the resulting type is a discriminated union (algebraic data type) instead. Simple discriminated unions can be used similarly to enumerations, but they are never convertible from and to integers, and their internal representation is quite different.

type Fruit = 
  | Apple
  | Banana
  | Cherry
let basket = [ Apple ; Banana ; Cherry ]
Seq.iter (printfn "%A") basket

Factor

Enumerations are essentially association lists with values (keys) assigned sequentially from constants (values) provided by an initial sequence.

IN: scratchpad { "sun" "mon" "tue" "wed" "thur" "fri" "sat" } <enum>

--- Data stack:
T{ enum f ~array~ }
IN: scratchpad [ 1 swap at ] [ keys ] bi

--- Data stack:
"mon"
{ 0 1 2 3 4 5 6 }

Factor also provides C-like enumerations in its C library interface. These enumerations may have explicit values.

IN: scratchpad USE: alien.syntax
IN: scratchpad ENUM: day sun mon { tue 42 } wed thur fri sat ;
IN: scratchpad 1 <day>

--- Data stack:
mon
IN: scratchpad 42 <day>

--- Data stack:
mon
tue

Fantom

Enumerations with named constants:

// create an enumeration with named constants
enum class Fruits { apple, banana, orange }

A private constructor can be added to initialise internal fields, which must be constant.

// create an enumeration with explicit values
enum class Fruits_
{
  apple (1), banana (2), orange (3)
  const Int value
  private new make (Int value) { this.value = value }
}

Forth

Forth has no types, and therefore no enumeration type. To define sequential constants, a programmer might write code like this:

0 CONSTANT apple
1 CONSTANT banana
2 CONSTANT cherry
...

However, a common idiom in forth is to define a defining word, such as:

: ENUM ( n -<name>- n+1 )   DUP CONSTANT 1+ ;

This word defines a new constant of the value specified and returns the next value in sequence. It would be used like this:

0 ENUM APPLE  ENUM BANANA  ENUM CHERRY  DROP

Or you can use CONSTANT to capture the "end" value instead of dropping it:

0 ENUM FIRST ENUM SECOND ...  CONSTANT LAST

A variation of this idea is the "stepped enumeration" that increases the value by more than 1, such as:

: SIZED-ENUM ( n s -<name>- n+s )   OVER CONSTANT + ;
: CELL-ENUM ( n -<name>- n+cell )   CELL SIZED-ENUM ;

A programmer could combine these enum definers in any way desired:

0 ENUM       FIRST   \ value = 0
CELL-ENUM    SECOND  \ value = 1
ENUM         THIRD   \ value = 5
3 SIZED-ENUM FOURTH  \ value = 6
ENUM         FIFTH   \ value = 9
CONSTANT     SIXTH   \ value = 10

Note that a similar technique is often used to implement structures in Forth.

For a simple zero-based sequence of constants, one could use a loop in the defining word:

: CONSTANTS ( n -- ) 0 DO I CONSTANT LOOP ;

\ resistor digit colors
10 CONSTANTS black brown red orange yellow green blue violet gray white

Fortran

Works with: Fortran version 2003
enum, bind(c)
  enumerator :: one=1, two, three, four, five
  enumerator :: six, seven, nine=9
end enum

The syntax

enum, bind(c) :: nametype
  enumerator :: one=1, two, three
end enum nametype

does not work with gfortran; it is used in some Cray docs about Fortran, but the syntax shown at IBM is the one gfortran can understand. (Cray's docs refer to Fortran 2003 draft, IBM docs refers to Fortran 2003 standard, but read the brief Fortran 2003 Standard section to understand why differences may exist...)

Free Pascal

See Delphi. Note, depending on the {$scopedEnum} compiler switch (as of definition time), enumeration type members are identified via the type name prepended.

Additionally, enumeration types can be passed to write/writeLn producing the Pascal (source code) identifier.

FreeBASIC

' FB 1.05.0 Win64

Enum Animals
  Cat
  Dog
  Zebra
End Enum

Enum Dogs
  Bulldog = 1
  Terrier = 2
  WolfHound = 4
End Enum

Print Cat, Dog, Zebra
Print Bulldog, Terrier, WolfHound
Sleep
Output:
 0             1             2
 1             2             4

FutureBasic

window 1, @"Enumerations", (0,0,480,270)

begin enum 1
_apple
_banana
_cherry
end enum

begin enum
_appleExplicit  = 10
_bananaExplicit = 15
_cherryExplicit = 30
end enum

print "_apple = ";  _apple
print "_banana = "; _banana
print "_cherry = "; _cherry
print
print "_appleExplicit = ";  _appleExplicit
print "_bananaExplicit = "; _bananaExplicit
print "_cherryExplicit = "; _cherryExplicit

HandleEvents

Output

_apple = 1
_banana = 2
_cherry = 3

_appleExplicit = 10
_bananaExplicit = 15
_cherryExplicit = 30

Go

Go's enumeration-like feature is called iota. It generates sequential integer constants.

const (
	apple = iota
	banana
	cherry
)

The above is equivalent to,

const (
	apple  = 0
	banana = 1
	cherry = 2
)

Constants in Go are not typed they way variables are, they are typed when used just like literal constants. Here is an example of a type safe enumeration:

type fruit int

const (
	apple fruit = iota
	banana
	cherry
)

And using explicit values (note each constant must be individual typed here unlike with iota):

type fruit int

const (
	apple  fruit = 0
	banana fruit = 1
	cherry fruit = 2
)

Groovy

Enumerations:

enum Fruit { apple, banana, cherry }

enum ValuedFruit {
    apple(1), banana(2), cherry(3);
    def value
    ValuedFruit(val) {value = val}
    String toString() { super.toString() + "(${value})" }
}

println Fruit.values()
println ValuedFruit.values()
Output:
[apple, banana, cherry]
[apple(1), banana(2), cherry(3)]

Haskell

data Fruit = Apple | Banana | Cherry deriving Enum

Huginn

enum FRUIT {
  APPLE,
  BANANA,
  CHERRY
}

Icon and Unicon

Nether Icon nor Unicon has an explicit enumeration type; however, there are several approaches that can be used for this purpose:

  fruits := [ "apple", "banana", "cherry", "apple" ]  # a list keeps ordered data
  fruits := set("apple", "banana", "cherry")          # a set keeps unique data
  fruits := table()                                   # table keeps an unique data with values
  fruits["apple"]  := 1
  fruits["banana"] := 2 
  fruits["cherry"] := 3

Inform 7

Fruit is a kind of value. The fruits are apple, banana, and cherry.

Inform 7 doesn't have conversions between enumerated values and numbers, but you can assign properties to enumerated values:

[sentence form]
Fruit is a kind of value. The fruits are apple, banana, and cherry.
A fruit has a number called numeric value.
The numeric value of apple is 1.
The numeric value of banana is 2.
The numeric value of cherry is 3.
[table form]
Fruit is a kind of value. The fruits are defined by the Table of Fruits.

Table of Fruits
fruit	numeric value
apple	1
banana	2
cherry	3

J

J's typing system is fixed, and so extensions occur at the application level. For example, one could create an object

   enum =: cocreate''
   ( (;:'apple banana cherry') ,L:0 '__enum' ) =: i. 3
   cherry__enum
2

But this is more akin to a "methodless class or object" than an enum in other languages.

That said, note that the "natural way", in J, of dealing with issues treated in other languages through enums is to use an array of names.

   fruit=: ;:'apple banana cherry'

Now you can get the name associated with an index:

   2 { fruit
+------+
|cherry|
+------+

And you can get the index associated with a name:

  fruit i.<'banana'
1

And you can define an arithmetic with the enum for its domain and range. Here, for example, is 2=1+1:

   (<'banana') +&.(fruit&i.)  <'banana'
+------+
|cherry|
+------+

And, you can iterate over the values, along with numerous other variations on these themes.

   {{for_example. fruit do. echo;example end.}} ''
apple
banana
cherry

(A person could reasonably argue that enums were introduced in some languages to work around deficiencies in array handling in those languages. But this would be a part of a larger discussion about type systems and the use of systems of bit patterns to represent information.)

Java

Works with: Java version 1.5+
enum Fruits{
   APPLE, BANANA, CHERRY
}

Or:

enum Fruits{
  APPLE(0), BANANA(1), CHERRY(2)
  private final int value;
  fruits(int value) { this.value = value; }
  public int value() { return value; }
}

Conventionally, enums have the same case rules as classes, while enum values are in all caps (like other constants). All cases are allowed for both names, though, as long as they don't conflict with other classes in the same package.

JavaScript

In javascript, usually used for this a strings.

// enum fruits { apple, banana, cherry }

var f = "apple";

if(f == "apple"){
    f = "banana";
}

jq

Finite, ordered enumerations can be represented in jq as JSON arrays, e.g. ["apple", "banana", "cherry"], or as sequences, e.g. ("apple", "banana", "cherry"). The latter interpretation corresponds to the idea of enumerating a collection, and also dovetails with the concept of infinite enumerations.

Countably-infinite ordered enumerations can be represented by generators, e.g. the non-negative natural numbers can be represented by the jq expression:

    1 | while(true; .+1)

Finite, unordered enumerations can be represented as JSON objects, as in the JSON section of this article. In this context, it is worth noting that jq allows a shorthand notation for specifying objects, so that we can for example write:

   def fruits: {apple, banana, cherry};  # i.e. {"apple" : null, "banana": null, "cherry": null }

JScript.NET

enum fruits { apple, banana, cherry }
enum fruits { apple = 0, banana = 1, cherry = 2 }

JSON

{"fruits" : { "apple" : null, "banana" : null, "cherry" : null }
{"fruits" : { "apple" : 0, "banana" : 1, "cherry" : 2 }

Julia

@enum Fruits APPLE BANANA CHERRY
Output:
julia> Fruits
Enum Fruits:
APPLE = 0
BANANA = 1
CHERRY = 2

Kotlin

// version 1.0.5-2

enum class Animals {
    CAT, DOG, ZEBRA
}

enum class Dogs(val id: Int) {
    BULLDOG(1), TERRIER(2), WOLFHOUND(4)
}

fun main(args: Array<String>) {
    for (value in Animals.values()) println("${value.name.padEnd(5)} : ${value.ordinal}")
    println()
    for (value in Dogs.values()) println("${value.name.padEnd(9)} : ${value.id}")
}
Output:
CAT   : 0
DOG   : 1
ZEBRA : 2

BULLDOG   : 1
TERRIER   : 2
WOLFHOUND : 4

Lingo

Lingo neither knows the concept of enumerations nor of constants. But an enumeration-like hash (property list) that is immutable concerning standard list methods and operators can be created by sub-classing a property list and overwriting list/property list access methods (which also overwrites bracket access operators on the fly):

-- parent script "Enumeration"

property ancestor

on new (me)
  data = [:]
  repeat with i = 2 to the paramCount
    data[param(i)] = i-1
  end repeat
  me.ancestor = data
  return me
end

on setAt (me)
  -- do nothing
end

on setProp (me)
  -- do nothing
end

on deleteAt (me)
  -- do nothing
end

on deleteProp (me)
  -- do nothing
end

on addProp (me)
  -- do nothing
end
enumeration = script("Enumeration").new("APPLE", "BANANA", "CHERRY")

put enumeration["BANANA"]
-- 2

-- try to change a value after construction (fails)
enumeration["BANANA"] = 666
put enumeration["BANANA"]
-- 2

-- try to change a value after construction using setProp (fails)
enumeration.setProp("BANANA", 666)
put enumeration["BANANA"]
-- 2

-- try to delete a value after construction (fails)
enumeration.deleteAt(2)
put enumeration["BANANA"]
-- 2

-- try to delete a value after construction using deleteProp (fails)
enumeration.deleteProp("BANANA")
put enumeration["BANANA"]
-- 2

-- try to add a new value after construction (fails)
enumeration["FOO"] = 666
put enumeration["FOO"]
-- <Void>
  
-- try to add a new value after construction using addProp (fails)
enumeration.addProp("FOO", 666)
put enumeration["FOO"]
-- <Void>

Lua

An explicit enum can be formed by mapping strings to numbers

local fruit = {apple = 0, banana = 1, cherry = 2}

or simply by local variables.

local apple, banana, cherry = 0,1,2

Although since Lua strings are interned, there is as much benefit to simply using strings.

M2000 Interpreter

Module Checkit {
      \\ need revision 15, version 9.4
      Enum Fruit  {apple, banana, cherry}
      Enum Fruit2  {apple2=10, banana2=20, cherry2=30}
      Print apple, banana, cherry
      Print apple2, banana2, cherry2
      Print Len(apple)=0
      Print Len(banana)=1
      Print Len(cherry)=2
      Print Len(cherry2)=2, Cherry2=30, Type$(Cherry2)="Fruit2"
      
      k=each(Fruit) 
      While k {
            \\ name of variable, value, length from first (0, 1, 2)
            Print Eval$(k), Eval(k), k^
      }
      m=apple
      Print Eval$(m)="apple"
      Print Eval(m)=m
      m++
      Print Eval$(m)="banana"
      Try {
            \\ error, m is an object
            m=100
      }
      Try {
            \\ error not the same type
            m=apple2
      }
      Try {
            \\ read only can't change
            apple2++
      }
      m++
      Print Eval$(m)="cherry", m
      k=Each(Fruit2 end to start) 
      While k {
             Print Eval$(k), Eval(k) , k^   
             CheckByValue(Eval(k))
      }
      m2=apple2
      Print "-------------------------"
      CheckByValue(m2)
      CheckByReference(&m2)
      Print m2
      
      Sub CheckByValue(z as Fruit2)
            Print Eval$(z), z
      End Sub
      
      Sub CheckByReference(&z as Fruit2)
            z++
            Print Eval$(z), z
      End Sub
}
Checkit

M4

define(`enums',
   `define(`$2',$1)`'ifelse(eval($#>2),1,`enums(incr($1),shift(shift($@)))')')
define(`enum',
   `enums(1,$@)')
enum(a,b,c,d)
`c='c
Output:
c=3

Mathematica/Wolfram Language

Enumerations are not very useful in a symbolic language like Mathematica. If desired, an 'enum' function could be defined :

MapIndexed[Set, {A, B, F, G}]
->{{1}, {2}, {3}, {4}}

A
->{1}

B
->{2}

G
->{4}

MATLAB / Octave

Enumeration is done by creating a cell array (a.k.a set) of objects, where the numeral of the object is its index in the 1-based cell array. The cell array structure can contain any type of data structure including other cell arrays, and all members don't have to be the same data type.

Example:

stuff = {'apple', [1 2 3], 'cherry',1+2i}

stuff = 

    'apple'    [1x3 double]    'cherry'    [1.000000000000000 + 2.000000000000000i]

Metafont

Metafont has no an enumeration type. However we can define an useful macro to simulate an enumeration. E.g.

vardef enum(expr first)(text t) =
save ?; ? := first;
forsuffixes e := t: e := ?; ?:=?+1; endfor
enddef;

Usage example:

enum(1, Apple, Banana, Cherry);
enum(5, Orange, Pineapple, Qfruit);
show Apple, Banana, Cherry, Orange, Pineapple, Qfruit;

end

Modula-3

TYPE Fruit = {Apple, Banana, Cherry};

The values are accessed by qualifying their names.

fruit := Fruit.Apple;

You can get an element's position in the enumeration by using ORD and get the element given the position by using VAL.

ORD(Fruit.Apple); (* Returns 0 *)
VAL(0, Fruit); (* Returns Fruit.Apple *)

Nemerle

enum Fruit {
    |apple
    |banana
    |cherry
}
 
enum Season {
    |winter = 1
    |spring = 2
    |summer = 3
    |autumn = 4
}

Nim

# Simple declaration.
type Fruits1 = enum aApple, aBanana, aCherry

# Specifying values (accessible using "ord").
type Fruits2 = enum bApple = 0, bBanana = 2, bCherry = 5

# Enumerations with a scope which prevent name conflict.
type Fruits3 {.pure.} = enum Apple, Banana, Cherry
type Fruits4 {.pure.} = enum Apple = 3, Banana = 8, Cherry = 10
var x = Fruits3.Apple  # Need to qualify as there are several possible "Apple".

# Using vertical presentation and specifying string representation.
type Fruits5 = enum
  cApple = "Apple"
  cBanana = "Banana"
  cCherry = "Cherry"
echo cApple   # Will display "Apple".

# Specifying values and/or string representation.
type Fruits6 = enum
  Apple = (1, "apple")
  Banana = 3            # implicit name is "Banana".
  Cherry = "cherry"     # implicit value is 4.

Objeck

enum Color := -3 {
  Red,
  White,
  Blue
}

enum Dog {
  Pug,
  Boxer,
  Terrier
}

Objective-C

With iOS 6+ SDK / Mac OS X 10.8+ SDK:

typedef NS_ENUM(NSInteger, fruits) { apple, banana, cherry };

typedef NS_ENUM(NSInteger, fruits) { apple = 0, banana = 1, cherry = 2 };

OCaml

type fruit =
  | Apple
  | Banana
  | Cherry

Odin

package main

Fruit :: enum {
  Apple,
  Banana,
  Cherry,
}

FruitWithNumber :: enum {
  Strawberry = 0,
  Pear = 27,
}

main :: proc() {
  b := Fruit.Banana
  assert(int(b) == 1)     // Enums always have implicit values

  p := FruitWithNumber.Pear
  assert(int(p) == 27)
}

Oforth

In Oforth, you use symbols to define enumerations.Symbols are strings that are identical : if two symbols are equal (==), they are the same object.

You can't define explicit values for these symbols as they a themseelves values.

Symbols begin with $. If the symbol does not exists yet, it is created.

[ $apple, $banana, $cherry ] const: Fruits

Ol

Ol enumerations is an builtin "ff"s as a simple fast dictionaries with number, constant or symbol keys and any typed values.

(define fruits '{
   apple  0
   banana 1
   cherry 2})
; or
(define fruits {
   'apple  0
   'banana 1
   'cherry 2})

; getting enumeration value:
(print (get fruits 'apple -1)) ; ==> 0
; or simply
(print (fruits 'apple))        ; ==> 0
; or simply with default (for non existent enumeration key) value
(print (fruits 'carrot -1))    ; ==> -1

; simple function to create enumeration with autoassigning values
(define (make-enumeration . args)
   (fold (lambda (ff arg i)
            (put ff arg i))
      #empty
      args
      (iota (length args))))

(print (make-enumeration 'apple 'banana 'cherry))
; ==> '#ff((apple . 0) (banana . 1) (cherry . 2))

OxygenBasic

enum fruits
  apple
  pear
  orange = 14
  banana
  mango
end enum

print banana '15

'fruits values:
'  apple   0
'  pear    1
'  orange 14
'  banana 15
'  mango  16

Oz

Most of the time you will just use atoms where you would use enums in C. Atoms start with a lower-case letter and are just symbols that evaluate to themselves. For example:

declare
  fun {IsFruit A}
     {Member A [apple banana cherry]}
  end
in
  {Show {IsFruit banana}}

If you need constants with increasing values, you could just enumerate them manually:

declare
  Apple = 1
  Banana = 2
  Cherry = 3

Or you could write a procedure that does the job automatically:

declare
  proc {Enumeration Xs}
     Xs = {List.number 1 {Length Xs} 1}
  end

  [Apple Banana Cherry] = {Enumeration}
in
  {Show Cherry}

Pascal

Standard Pascal as per ISO 7185 only allows contiguous lists of identifiers as enumerated type definitions. An explicit index may not be specified, but Delphi and Free Pascal allow this. However, it is guaranteed, that the ordinal value will correspond to the member’s position in the list (0-based).

type
	phase = (red, green, blue);

Perl

# Using an array
my @fruits = qw(apple banana cherry);

# Using a hash
my %fruits = ( apple => 0, banana => 1, cherry => 2 );

Phix

Library: Phix/basics
enum apple, banana, orange
enum apple=5, banana=10, orange=

PHP

// Using an array/hash
$fruits = array( "apple", "banana", "cherry" );
$fruits = array( "apple" => 0, "banana" => 1, "cherry" => 2 );

// If you are inside a class scope
class Fruit {
  const APPLE = 0;
  const BANANA = 1;
  const CHERRY = 2;
}

// Then you can access them as such
$value = Fruit::APPLE;

// Or, you can do it using define()
define("FRUIT_APPLE", 0);
define("FRUIT_BANANA", 1);
define("FRUIT_CHERRY", 2);

Picat

Translation of: Prolog

Picat doesn't have enumerations but they can be simulated by facts.

fruit(apple,1).
fruit(banana,2).
fruit(cherry,4).
 
print_fruit_name(N) :-
	fruit(Name,N),
	printf("It is %w\nn", Name).


PicoLisp

Enumerations are not very useful in a symbolic language like PicoLisp. If desired, an 'enum' function could be defined:

(de enum "Args"
   (mapc def "Args" (range 1 (length "Args"))) )

And used in this way:

: (enum A B C D E F)
-> F
: A
-> 1
: B
-> 2
: F
-> 6

PL/I

define ordinal animal (frog, gnu, elephant, snake);

define ordinal color (red value (1), green value (3), blue value (5));

PowerShell

Without explicit values.

Works with: PowerShell version 5
Enum fruits {
    Apple
    Banana
    Cherry
}
[fruits]::Apple
[fruits]::Apple + 1
[fruits]::Banana + 1

Output:

Apple
Banana
Cherry

With explicit values.

Works with: PowerShell version 5
Enum fruits {
    Apple = 10
    Banana = 15
    Cherry = 30 
}
[fruits]::Apple
[fruits]::Apple + 1
[fruits]::Banana + 1
Apple
11
16

Prolog

Prolog doesn't have enums, but they can be simulated using a set of facts.

fruit(apple,1).
fruit(banana,2).
fruit(cherry,4).

write_fruit_name(N) :-
	fruit(Name,N),
	format('It is a ~p~n', Name).

PureBasic

Basic Enumeration is defined as

Enumeration
   #Apple
   #Banana
   #Cherry
EndEnumeration

This can also be adjusted to the form

Enumeration 10200 Step 12 
  #Constant1           ; 10200
  #Constant2           ; 10212
  #Constant3           ; 10224
  #Constant4 = 10117   ; 10117
  #Constant5           ; 10229
EndEnumeration

The system constant "#PB_Compiler_EnumerationValue" holds last defined value and can be used to chain to a previously started series.

E.g. in combination with the code above;

Enumeration #PB_Compiler_EnumerationValue
  #Constant_A           ; 10241
  #Constant_B           ; 10242
EndEnumeration

Enumeration groups can also be named to allow continuation where a previous named group left off.

;This starts the enumeration of a named group 'NamedGroup'.
Enumeration NamedGroup 5
  #Green                ; 5
  #Orange               ; 6
EndEnumeration

;EnumerationBinary will use values that are a double of the previous value (or starting value).
EnumerationBinary 
  #North                ; 1
  #West                 ; 2
  #South                ; 4
  #East                 ; 8
EndEnumeration

;This continues the enumeration of the previously named group 'NamedGroup'.
Enumeration NamedGroup
  #Yellow               ; 7
  #Red                  ; 8
EndEnumeration

Python

Python: Version 3.4+

Note: enumerations have come to Python version 3.4.

>>> from enum import Enum
>>> Contact = Enum('Contact', 'FIRST_NAME, LAST_NAME, PHONE')
>>> Contact.__members__
mappingproxy(OrderedDict([('FIRST_NAME', <Contact.FIRST_NAME: 1>), ('LAST_NAME', <Contact.LAST_NAME: 2>), ('PHONE', <Contact.PHONE: 3>)]))
>>> 
>>> # Explicit
>>> class Contact2(Enum):
	FIRST_NAME = 1
	LAST_NAME = 2
	PHONE = 3

	
>>> Contact2.__members__
mappingproxy(OrderedDict([('FIRST_NAME', <Contact2.FIRST_NAME: 1>), ('LAST_NAME', <Contact2.LAST_NAME: 2>), ('PHONE', <Contact2.PHONE: 3>)]))
>>>

Python: Pre version 3.4

Works with: Python version 2.5

There is no special syntax, typically global variables are used with range:

FIRST_NAME, LAST_NAME, PHONE = range(3)

Alternately, the above variables can be enumerated from a list with no predetermined length.

vars().update((key,val) for val,key in enumerate(("FIRST_NAME","LAST_NAME","PHONE")))

R

R does not have an enumeration type, though factors provide a similar functionality.

 factor(c("apple", "banana", "cherry"))
# [1] apple  banana cherry
# Levels: apple banana cherry

This thread in the R mail archive contains code for an enum-like class for traffic light colours.

Racket

#lang racket

;; Like other Lisps, Racketeers prefer using symbols directly instead of
;; numeric definitions, and lists of symbols instead of bitwise
;; combinations
(define fruits '(apple banana cherry))

;; In Typed Racket, a type can be defined for a specific set of symbols
;; (define-type Fruit (U 'apple 'banana 'cherry))

;; The conventional approach is possible too, of course
(define APPLE  1)
(define BANANA 2)
(define CHERRY 4)

;; And finally, when dealing with foreign functions it is useful to
;; translate idiomatic Racket values (= symbols) to/from integers.
;; Racket's ffi has two ways to do this -- either an enumeration (for
;; independent integer constants) or a bitmask (intended to represent
;; sets using bitwise or):
(require ffi/unsafe)
(define _fruit  (_enum '(APPLE = 1
                         BANANA
                         CHERRY = 4)))
(define _fruits (_bitmask '(APPLE = 1
                            BANANA = 2
                            CHERRY = 4)))

;; Normally, Racket code will just use plain values (a symbol for the
;; first, and a list of symbols for the second) and the foreign side
;; sees the integers.  But do demonstrate this, we can use the primitive
;; raw functionality to see how the translation works:
(require (only-in '#%foreign ctype-scheme->c ctype-c->scheme))

((ctype-scheme->c _fruit)  'CHERRY)         ; -> 4
((ctype-scheme->c _fruits) 'CHERRY)         ; -> 4
((ctype-scheme->c _fruits) '(APPLE CHERRY)) ; -> 5

((ctype-c->scheme _fruit)  4) ; -> 'CHERRY
((ctype-c->scheme _fruits) 4) ; -> '(CHERRY)
((ctype-c->scheme _fruits) 5) ; -> '(APPLE CHERRY)

Raku

(formerly Perl 6)

Works with: Rakudo version 2016.01
enum Fruit <Apple Banana Cherry>; # Numbered 0 through 2.

enum ClassicalElement (
    Earth => 5,
    'Air',  # gets the value 6
    'Fire', # gets the value 7
    Water => 10,
);

Raven

{ 'apple' 0 'banana' 1 'cherry' 2 } as fruits

Retro

Retro has a library named enum' for creation of enumerated values.

'/examples/enum.retro include

{ 'a=10 'b 'c 'd=998 'e 'f } a:enum

REXX

REXX has no types, and therefore has no enumeration type.

However, in the spirit of enumeration, REXX programmers can use stemmed arrays for enumerating constants (shown below).
This REXX entry was kinda modeled after the BASIC, Forth, and VBA [which does its own enumeration, as does REXX below (as an inventory count)].

/*REXX program illustrates a method of  enumeration  of  constants via  stemmed arrays. */
fruit.=0                              /*the default for all possible "FRUITS."  (zero). */
           fruit.apple      =   65
           fruit.cherry     =    4
           fruit.kiwi       =   12
           fruit.peach      =   48
           fruit.plum       =   50
           fruit.raspberry  =   17
           fruit.tomato     = 8000
           fruit.ugli       =    2
           fruit.watermelon =    0.5  /*◄─────────── could also be specified as:   1/2  */

                                            /*A method of using a list (of some fruits).*/
@fruits= 'apple apricot avocado banana bilberry blackberry blackcurrant blueberry baobab',
         'boysenberry breadfruit cantaloupe cherry chilli chokecherry citron coconut',
         'cranberry cucumber currant date dragonfruit durian eggplant elderberry fig',
         'feijoa gac gooseberry grape grapefruit guava honeydew huckleberry jackfruit',
         'jambul juneberry kiwi kumquat lemon lime lingenberry loquat lychee mandarin',
         'mango mangosteen nectarine orange papaya passionfruit peach pear persimmon',
         'physalis pineapple pitaya pomegranate pomelo plum pumpkin rambutan raspberry',
         'redcurrant satsuma squash strawberry tangerine tomato ugli watermelon zucchini'

/*╔════════════════════════════════════════════════════════════════════════════════════╗
  ║Parental warning: sex is discussed below: PG─13.  Most berries don't have "berry" in║
  ║their name.  A  berry  is a  simple fruit  produced from a single ovary.  Some true ║
  ║berries are: pomegranate, guava, eggplant, tomato, chilli, pumpkin, cucumber, melon,║
  ║and citruses.  Blueberry  is a  false  berry;  blackberry is an  aggregate  fruit;  ║
  ║and strawberry is an  accessory  fruit.  Most nuts are fruits.  The following aren't║
  ║true nuts: almond, cashew, coconut, macadamia, peanut, pecan, pistachio, and walnut.║
  ╚════════════════════════════════════════════════════════════════════════════════════╝*/

                               /*  ┌─◄── due to a Central America blight in 1922; it was*/
                               /*  ↓     called the Panama disease (a soil─borne fungus)*/
if fruit.banana=0  then say "Yes!  We have no bananas today."               /* (sic) */
if fruit.kiwi \=0  then say "We gots "   fruit.kiwi    ' hairy fruit.'      /*   "   */
if fruit.peach\=0  then say "We gots "   fruit.peach   ' fuzzy fruit.'      /*   "   */

maxL=length('  fruit   ')                        /*ensure this header title can be shown*/
maxQ=length(' quantity ')                        /*   "     "    "      "    "   "   "  */
say
     do p    =0  for 2                           /*the first pass finds the maximums.   */
         do j=1  for words(@fruits)              /*process each of the names of fruits. */
         @=word(@fruits, j)                      /*obtain a fruit name from the list.   */
         #=value('FRUIT.'@)                      /*   "   the quantity of a fruit.      */
         if \p  then do                          /*is this the first pass through ?     */
                     maxL=max(maxL, length(@))   /*the longest (widest) name of a fruit.*/
                     maxQ=max(maxQ, length(#))   /*the widest width quantity of fruit.  */
                     iterate  /*j*/              /*now, go get another name of a fruit. */
                     end
         if j==1  then say center('fruit', maxL)    center("quantity", maxQ)
         if j==1  then say copies('─'    , maxL)    copies("─"       , maxQ)
         if #\=0  then say  right( @     , maxL)     right( #        , maxQ)
         end   /*j*/
     end       /*p*/
                                                 /*stick a fork in it,  we're all done. */

output

Yes!  We have no bananas today.
We gots  12  hairy fruit.
We gots  48  fuzzy fruit.

   fruit      quantity
──────────── ──────────
       apple         65
      cherry          4
        kiwi         12
       peach         48
        plum         50
   raspberry         17
      tomato       8000
        ugli          2
  watermelon        0.5

Ring

apple = 0
banana = 1
cherry = 2
see "apple : " + apple + nl
see "banana : " + banana + nl
see "cherry : " + cherry + nl

Ruby

There are plenty of ways to represent enum in Ruby. Here it is just one example:

module Fruits
  APPLE  = 0
  BANANA = 1
  CHERRY = 2
end

# It is possible to use a symbol if the value is unrelated.

FRUITS = [:apple, :banana, :cherry]
val = :banana
FRUITS.include?(val)      #=> true

To give a number in turn, there is the following method.

module Card
  # constants
  SUITS = %i(Clubs Hearts Spades Diamonds)
  SUIT_VALUE = SUITS.each_with_index.to_h               # version 2.1+
# SUIT_VALUE = Hash[ SUITS.each_with_index.to_a ]       # before it
  #=> {:Clubs=>0, :Hearts=>1, :Spades=>2, :Diamonds=>3}
 
  PIPS = %i(2 3 4 5 6 7 8 9 10 Jack Queen King Ace)
  PIP_VALUE = PIPS.each.with_index(2).to_h              # version 2.1+
# PIP_VALUE = Hash[ PIPS.each.with_index(2).to_a ]      # before it
  #=> {:"2"=>2, :"3"=>3, :"4"=>4, :"5"=>5, :"6"=>6, :"7"=>7, :"8"=>8, :"9"=>9, :"10"=>10, :Jack=>11, :Queen=>12, :King=>13, :Ace=>14}
end

Rust

enum Fruits {
    Apple,
    Banana,
    Cherry
}

enum FruitsWithNumbers {
    Strawberry = 0,
    Pear = 27,
}

fn main() {
    // Access to numerical value by conversion
    println!("{}", FruitsWithNumbers::Pear as u8);
}

Scala

1. Using Algebraic Data Types:

sealed abstract class Fruit
case object Apple extends Fruit
case object Banana extends Fruit
case object Cherry extends Fruit

2. Using scala.Enumeration:

object Fruit extends Enumeration {
  val Apple, Banana, Cherry = Value
}

Scheme

(define apple 0)
(define banana 1)
(define cherry 2)

(define (fruit? atom)
  (or (equal? 'apple atom)
      (equal? 'banana atom)
      (equal? 'cherry atom)))

(This section needs attention from someone familiar with Scheme idioms.)

Using syntax extension

Works with: Chez Scheme

The Implementation

; Syntax that implements a C-like enum; items without assignment take next value.
; Form: (enum <name> <item>...)
; Where <name> is a symbol that will be the name of the enum; <item> are one or
; more expressions that are either symbols or lists of symbol and integer value.
; The symbols are bound to the values.  If a value is not given, then the next
; integer after the one bound to the previous symbol is used (starting at 0).
; The <name> itself is bound to an a-list of the item symbols and their values.

(define-syntax enum
  (lambda (x)
    (syntax-case x ()
      ((_ name itm1 itm2 ...)
        (identifier? (syntax name))
        (syntax
          (begin
            (define name '())
            (enum-help name 0 itm1 itm2 ...)))))))

; Helper for (enum) syntax, above.  Do not call directly!

(define-syntax enum-help
  (lambda (x)
    (syntax-case x ()
      ((_ name nxint)
        (syntax (void)))
      ((_ name nxint (sym val) rest ...)
        (and (identifier? (syntax sym))
             (integer? (syntax-object->datum (syntax val))))
        (syntax
          (begin
            (define sym val)
            (set! name (cons (cons 'sym val) name))
            (enum-help name (1+ val) rest ...))))
      ((_ name nxint sym rest ...)
        (identifier? (syntax sym))
        (syntax
          (begin
            (define sym nxint)
            (set! name (cons (cons 'sym nxint) name))
            (enum-help name (1+ nxint) rest ...)))))))

Example Use

(define-syntax test
  (syntax-rules ()
    ((_ e)
      (printf "~a --> ~s~%" 'e e))))

(printf "~%The 'foo' enum:~%")

(enum foo a (b 10) c (d 20) e (f 30) g)

(test a)
(test b)
(test c)
(test d)
(test e)
(test f)
(test g)
(test foo)
(test (assq 'd foo))
(test (assq 'm foo))

(printf "~%The 'bar' enum:~%")

(enum bar x y (z 99))

(test x)
(test y)
(test z)
(test bar)
Output:
The 'foo' enum:
a --> 0
b --> 10
c --> 11
d --> 20
e --> 21
f --> 30
g --> 31
foo --> ((g . 31) (f . 30) (e . 21) (d . 20) (c . 11) (b . 10) (a . 0))
(assq 'd foo) --> (d . 20)
(assq 'm foo) --> #f

The 'bar' enum:
x --> 0
y --> 1
z --> 99
bar --> ((z . 99) (y . 1) (x . 0))

Seed7

const type: fruits is new enum
    apple, banana, cherry
  end enum;

Shen

(tc +)

(datatype fruit

  if (element? Fruit [apple banana cherry])
  _____________
  Fruit : fruit;)

Sidef

Implicit:

enum {Apple, Banana, Cherry};   # numbered 0 through 2

Explicit:

enum {
    Apple=3,
    Banana,         # gets the value 4
    Cherry="a",
    Orange,         # gets the value "b"
};

Slate

As just unique objects:

define: #Fruit &parents: {Cloneable}.
Fruit traits define: #Apple -> Fruit clone.
Fruit traits define: #Banana -> Fruit clone.
Fruit traits define: #Cherry -> Fruit clone.

As labels for primitive values:

define: #Apple -> 1.
define: #Banana -> 2.
define: #Cherry -> 3.

As a namespace:

ensureNamespace: #fruit &slots: {#Apple -> 1. #Banana -> 2. #Cherry -> 3}.

Using a dictionary:

define: #fruit &builder: [{#Apple -> 1. #Banana -> 2. #Cherry -> 3} as: Dictionary].

Standard ML

datatype fruit =
  Apple
| Banana
| Cherry

Swift

enum Fruit {
    case Apple
    case Banana
    case Cherry
}
// or
enum Fruit {
    case Apple, Banana, Cherry
}
 
enum Season : Int {
    case Winter = 1
    case Spring = 2
    case Summer = 3
    case Autumn = 4
}

Tcl

It is normal in Tcl to use strings from a set directly rather than treating them as an enumeration, but enumerations can be simulated easily. The following elegant example comes straight from the [Tcl wiki:]

proc enumerate {name values} {
    interp alias {} $name: {} lsearch $values
    interp alias {} $name@ {} lindex $values
}

it would be used like this:

enumerate fruit {apple blueberry cherry date elderberry}
 
fruit: date
#   ==> prints "3"
fruit@ 2
#   ==> prints "cherry"

Toka

Toka has no data types, and therefore no actual enumeration type. There is an optional library function which does provide a way to create enumerated values easily though.

This library function takes a starting value and a list of names as shown in the example below.

needs enum
0 enum| apple banana carrot |
10 enum| foo bar baz |

VBA

Like Visual Basic .NET, actually:

'this enumerates from 0
Enum fruits
  apple
  banana
  cherry
End Enum
 
'here we use our own enumeration
Enum fruits2
  pear = 5
  mango = 10
  kiwi = 20
  pineapple = 20
End Enum


Sub test()
Dim f As fruits
  f = apple
  Debug.Print "apple equals "; f
  Debug.Print "kiwi equals "; kiwi
  Debug.Print "cherry plus kiwi plus pineapple equals "; cherry + kiwi + pineapple
End Sub
Output:
test
apple equals  0 
kiwi equals  20 
cherry plus kiwi plus pineapple equals  42 

Visual Basic .NET

' Is this valid?!
Enum fruits
apple
banana
cherry
End Enum

' This is correct
Enum fruits
apple = 0
banana = 1
cherry = 2
End Enum

Wren

Wren doesn't support either enums or constants as such but a common way to indicate that a variable should not be mutated is to give it an upper case name and to group related variables together.

The only way to give such a variable a value without setting it explicitly is to add one to the previous such variable which (in effect) is what a C-style enum does. If you declare a variable in Wren without giving it a value, then it is set to the special value null which is no help here.

var APPLE  = 1
var ORANGE = 2
var PEAR   = 3

var CHERRY = 4
var BANANA = CHERRY + 1
var GRAPE  = BANANA + 1

System.print([APPLE, ORANGE, PEAR, CHERRY, BANANA, GRAPE])
Output:
[1, 2, 3, 4, 5, 6]


It is also possible to create an enum-like class using read-only static properties to get the values. The following code creates such a class dynamically at runtime. Note that the convention in Wren is for properties to begin with a lower-case letter.

Library: Wren-dynamic
import "./dynamic" for Enum

var Fruit = Enum.create("Fruit", ["apple", "orange", "pear", "cherry", "banana", "grape"], 1)
System.print(Fruit.orange)
System.print(Fruit.members[Fruit.cherry - 1])
Output:
2
cherry

XPL0

def \Fruit\ Apple, Banana, Cherry;      \Apple=0, Banana=1, Cherry=2
def     Apple=1, Banana=2, Cherry=4;

Z80 Assembly

Translation of: 6502 Assembly

With Explicit Values

You can use labels to "name" any numeric value, whether it represents a constant or a memory location is up to the programmer. Code labels are automatically assigned a value based on what memory location they are assembled to.

Keep in mind that these names do not exist at runtime and are just for the programmer's convenience. None of this "code" below actually takes up any space in the assembled program.

Sunday equ 0
Monday equ 1
Tuesday equ 2
Wednesday equ 3
Thursday equ 4
Friday equ 5
Saturday equ 6

Without Explicit Values

A lookup table is the most common method of enumeration of actual data in assembly. Each element of the table can be accessed by an index, and the starting index is zero. (The index may need to be adjusted for data sizes larger than 1 byte, i.e. doubled for 16-bit data and quadrupled for 32-bit data.) Unlike the above example, these values do indeed take up memory. Using this method when the above enumeration would suffice is incredibly wasteful.

align 8   ;aligns "Days_Of_The_Week" to the next 256-byte boundary. The low byte of "Sunday" will be at memory location &XX00.
          ;this simplifies the lookup process significantly.
Days_Of_The_Week:
    word Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday

Sunday:
    byte "Sunday",0
Monday:
    byte "Monday",0
Tuesday:
    byte "Tuesday",0
Wednesday:
    byte "Wednesday",0
Thursday:
    byte "Thursday",0
Friday:
    byte "Friday",0
Saturday:
    byte "Saturday",0

;This example will load Friday.
ld hl,Days_Of_The_Week  ;get base address of table. (Thanks to the align 8, we know that L = 0.)
ld a,5                  ;0 = Sunday, 1 = Monday, ... 5 = Friday, 6 = Saturday
add a                   ;Multiply A by 2 (this is faster than SLA A. RLCA would have also worked here)
ld L,a                  ;since the table was page-aligned it is sufficient to load A directly into L to properly index the table.
ld e,(hl)               ;get the low byte into E
inc hl                  ;increment HL to high byte
ld d,(hl)               ;get the high byte into D

;now DE contains the pointer to "Friday"
ex de,hl                ;my PrintString routine takes the pointer in HL as the argument so we need to swap DE with HL.
call PrintString        ;prints a null-terminated string to the screen.
ret                     ;return to basic
Output:
Friday

zkl

Enums as thing or type is not supported but they can be simulated by running code at parse time (ie modify the AST before the compiler compiles it).

const RGB_COLOR{  // put color names in a name space
   const RED =0xf00;
   const BLUE=0x0f0, GREEN = 0x00f;
   const CYAN=BLUE + GREEN;  // → 0x0ff
}
println(RGB_COLOR.BLUE);
Output:
240
const X0=N;        // --> 0
const A=N,B=N,C=N; // --> 1,2,3
const{ _n=-1; }    // reset Enum, this should be a const space function
const X=N;	   // -->0

Since const space runs at a different time [vs compile space], you need to really careful if you mix the two [spaces]:

#continuing ...
z:=N;      // -->2 NOT 1 as it is set AFTER Y (compile time vs parse time)
const Y=N; // -->1! because it is set before z

zonnon

module Enumerations;
type
	Fruits = (apple,banana,cherry);

var
	deserts,i: Fruits;

begin
		deserts := Fruits.banana;
		writeln("ord(deserts): ",integer(deserts):2);
		
		for i := Fruits.apple to Fruits.cherry do
			writeln(integer(i):2)
		end
end Enumerations.
Output:
ord(deserts):  1
 0
 1
 2