Elan Language Reference

Named values

In most programming, the term variable describes a data entity in a program that contains a value and has a name by which you can read and write its value, i.e. its value can be varied. In an Elan program, these data entities are called named values so that a distinction can be made between:

This distinction applies both to single values and to data structures (which contain multiple values) and, while it is most pertinent in functional programming, it provides a useful discipline in any code. Preferring immutable named values can help avoid duplication and assist in the modularisation of code.

Both kinds of named value may be initialised with either literals or expressions.

Named value Types

The Types used in the language are here listed, each linking to its definition and further details:

Type groupTypes
Fundamental Integer
Int
Floating point
Float
Truth value
Boolean
Character string
String
Mutable
data structures
List
List
Look-up dictionary
Dictionary
Simple array
Array
2-dimensional array
Array2D
Immutable
data structures
Immutable list
ListImmutable
Immutable look-up dictionary
DictionaryImmutable
Set
Set
LIFO stack
Stack
FIFO queue
Queue
Data I/O Text file input
TextFileReader
Text file output
TextFileWriter
Graphics Turtle SVG vector graphics
User-defined Enumeration
enum Name
Record
record Name
Class
class Name
Abstract class
abstract class Name
Interface
interface Name
Other Random number
Random
Function reference
Func

Named values are statically typed: their Type, once defined, cannot be changed. A named value's Type is:

Mutability of named values

The properties or contents of a named value that is of an immutable Type may not be changed directly. You can, however, create another instance that is a copy of the original, with all the same property values except for specific changes that you want to make. The newly-minted copy (with changes) may be assigned either to a new named value, or as a re-definition of the original named value.

This table shows which named values can be re-assigned and/or mutated depending on how they were defined:

define named valuenamed valuenotes
withas
mutable Type
as
immutable Type
re-assign
with 'set'
mutatescope
constantglobal constant values are set only at compile time
letlocal
letlocal
variablelocal
parameterlocal formal input argument of function, procedure or lambda
parameterlocal formal input argument of function, procedure or lambda
out parameterlocal formal output argument of procedure
out parameter✔ (see note)local formal output argument of procedure
an out parameter of an immutable Type may be re-assigned
if the actual argument is defined with variable, not let

Identifiers and Type names

Named value identifier

The name given to every named value must follow the rules for an identifier:

Type name

Every Type, whether system (e.g. List) or user defined (e.g. MyClass), is named like an identifier but with one important difference: its first character must be an uppercase letter. Type names are also case-sensitive.

Scope and name qualification

'Scope' in the table above refers to where in your code a named value is accessible. constants and enums, being the only values having global scope, can be referenced from anywhere in your program. Every other kind of named value is local and restricted to the procedure or function within which it is defined.

Local named values can have the same name as a constant, function, or procedure (which are all defined at global level or are in the standard library). In such cases, when the name is used within the same method, then it will refer to the local definition. If you have done this, but then need to access the constant, function, or procedure with the same name, then you prefix the name with a dot qualifier of either global or library as appropriate

Global instructions

Global instructions (also referred to as globals) are located directly in your code at the highest level. They are never indented from the left-hand edge, nor may they be located within other instructions. They are: main, procedure, function, test, record, class, abstract class, interface, constant and enum.

main

A program must have a main method, sometimes called its main routine, if it is intended to be run as a program. You may, however, develop and test code that does not have a main method, either as a coding exercise or for subsequent use within another program.

The main method defines the start point of a program when it is run (executed).

It does not have to be at the top of the file, but this is a good convention to follow.

It may delegate work to one or more procedures or functions.

There may not be more than one main in a program file, and the Global prompt will not show main as an option when one already exists in the file.

Example of a main method

   ▶ A main method

+main variable liname set to [3, 6, 1, 0, 99, 4, 67]expression call inPlaceRippleSortprocedureName(liarguments) print liexpression end main

procedure

A procedure is a named piece of code that can define parameters which are given inputs via arguments in a call statement. Its name must follow the rules for an identifier.

Unlike a function:

Therefore the statements within a procedure can:

Examples of procedures

   ▶ Calling a procedure:

variable liname set to [3, 6, 1, 0, 99, 4, 67]expression call inPlaceRippleSortprocedureName(liarguments) print liexpression

   ▶ Using keyword out

+procedure inPlaceRippleSortname(out arr as List<of Int>parameter definitions) variable changesname set to trueexpression variable lastCompname set to arr.length() - 2expression +repeat set changesvariableName to falseexpression +for ivariableName from 0expression to lastCompexpression step 1expression +if arr[i] > arr[i + 1]condition then let tempname be arr[i]expression call arr.putprocedureName(i, arr[i + 1]arguments) call arr.putprocedureName(i + 1, temparguments) set changesvariableName to trueexpression end if end for set lastCompvariableName to lastComp - 1expression end repeat when not changescondition end procedure

function

A function is a named piece of code that can define parameters which are given inputs via arguments when reference to the function occurs in a statement or expression. Its name must follow the rules for an identifier.

Unlike a procedure:

A function definition is comprised of its input parameters (with their Types), followed by the automatically added keyword returns, and the Type of the value that will be returned, for example: +function factorial(n as Int) returns Int

A return statement is automatically added as the last instruction of a function, since a function must return a value, and there can be only one return statement in a function.

You follow the return statement with the value to be returned by the function. This may be an expression that will be evaluated before returning. for example:

return if (a^b) < (b^a)
then
true
else
false

Example of a function and reference to it

   ▶ The function definition

+function score(g as Game) returns Int return g.body.length() - 2 end function

   ▶ Reference to the function

+main let g be new Game() print score(g) end main

Dot syntax

The function example above includes two uses of dot syntax to qualify items in an expression:

Dot syntax is also used:

You cannot, however, use dot syntax with your user-defined procedures at the global level,
nor with some system provided functions (e.g. abs) and procedures (e.g. clearPrintedText).

Parameters

Parameters for both a procedure and a function are defined in exactly the same way.
Each parameter definition takes the form: named value as Type, for example: age as Intparameter definitions

Recursion

Procedures and functions may be called or referenced recursively, as in this simple factorial calculation: +function factorial(n as Int) returns Int return (if n > 1
then
n*factorial(n - 1)
else
1)
end function

test

A test instruction is at the global level, and consists of a set of assertions about the outputs of functions.

Without having to run your program, the assert statements show whether your assertions pass or fail.

Example of a set of assert statements that test a function

   ▶ Test function binarySearch on three test lists

+test optional description let li1name be ["lemon", "lime", "orange"]expression assert binarySearch(li1, "lemon")computed value is trueexpected value pass assert binarySearch(li1, "lime")computed value is trueexpected value pass assert binarySearch(li1, "orange")computed value is trueexpected value pass assert binarySearch(li1, "pear")computed value is falseexpected value pass let li2name be ["lemon", "orange"]expression assert binarySearch(li2, "lemon")computed value is trueexpected value pass assert binarySearch(li2, "orange")computed value is trueexpected value pass assert binarySearch(li2, "pear")computed value is falseexpected value pass let li3name be ["lemon"]expression assert binarySearch(li3, "lemon")computed value is trueexpected value pass assert binarySearch(li3, "lime")computed value is falseexpected value pass let li4name be empty List<of String>expression assert binarySearch(li4, "pear")computed value is falseexpected value pass end test

Notes

Testing Float values

When testing Float values it is recommend that you use the round method to round the computed result to a fixed number of decimal places. This avoids rounding errors and is easier to read. For example:

+test round()optional description assert sqrt(2).round(3)computed value is 1.414expected value pass end test

Testing for runtime errors

If the expression you are testing would cause a runtime error then the error will be displayed in the red fail message:

+test   let a be [5, 1, 7] assert a[0] is 5 pass assert a[2] is 7 pass assert a[4] is 0 actual (computed): Out of range index: 4 size: 3 assert a[4] is "Out of range index: 4 size: 3" pass end test

If there are failures, mark the tests that you added since the last successful test as ghosted and then remove their ghosted status one by one until the cause is identified and fixed.

In the last assert above, note how testing can also be done against an expected error message.

Testing long strings

If you have a test that compares strings longer than 20 characters, any test failure message will be reduced to reporting the first character at which the actual (computed) and expected strings differ.

Example of testing long strings

   ▶ Reporting the first character at which the actual (computed) and expected strings differ:

+constant sGW set to 'grid { display: flex; flex-direction: column; margin-top: 40px; width: 500px; } word { display: flex; flex-direction: row; margin: auto; }' +function setInStyle(s as String) returns String return "<style>" + s + "<style>" end function +test   assert setInStyle(sGW) is '<style>' + sGW + '</style>' s found at [146] (expected: /) end test

Ignoring tests

To ignore tests, use ghosting.

Even when tests or asserts are ghosted, all the tests will be run and their status shown, but the overall test status will show the status of only the unghosted tests (green pass, amber warning or red fail).

Examples of ghosting tests

   ▶ Ghosting an entire test:

+test clockTick let g1 be newGame(new Random()) let g2 be newApple(g1) let g3 be clockTick(g2, "s") assert g3.head is newSquare(22, 16) pass assert g3.body.length() is 2 pass end test

   ▶ Ghosting an assert:

+test clockTick let g1 be newGame(new Random()) let g2 be newApple(g1) let g3 be clockTick(g2, "s") assert g3.head is newSquare(21, 16) actual (computed): 22, 16 assert g3.body.length() is 2 pass end test

Non-terminating loops and recursion

The principal reason for ghosting a test is when either the test code, or code in any function being called, does not terminate. This typically means that there is a loop (or a recursive call) with no exit condition, or where the exit condition is never met.

If you do create such code without realising it, then when the tests are executed the test runner will time out after a few seconds (most tests will pass in milliseconds), and an error message will appear. Your priority should then be to identify the cause of the timeout and attempt to fix it before then unghosting the test.

record

A record is a user-defined data structure that is given a Type name (which must begin with an uppercase letter). The record defines one or more properties, each of which has a name (starting with a lowercase letter) and a Type. The Type of a property may be any simple value Type, or a ListImmutable, or another Type of record (or even of the same Type of record).

Note that a record has some similarity to a class in that:

However a record differs from a class in that:

Examples: +record SquareName property xname as IntType property yname as IntType end record +record GameName property headname as SquareType property bodyname as ListImmutable<of Square>Type property priorTailname as SquareType property applename as SquareType property isOnname as BooleanType property rndname as RandomType property graphicsname as BlockGraphicsType property keyname as StringType end record Having defined a record's Type, such as Game above, you can create as many instances as you wish using the following syntax to specify the values: let g1name be new Game() with
head set to newSquare(22, 15),
key set to "d",
isOn set to true
expression

Note that you are not required to provide a value for each property because, where a property is not specified in the with clause (as above), that property will be given the empty (default) value of the correct Type.

You can then read the values from the properties using dot syntax for example:

print sq.sizeexpression

record Types are immutable: the properties on an instance may not be changed directly. However, you can create another instance that is a copy of the original, with all the same property values except for specific changes made in a with clause. The newly-minted copy (with changes) must be assigned to a new named value. For example:

let sq1name be new Square() with
x set to 3.5,
y set to 4.0,
size set to 1.0
expression
let sq2name be copy sq1 with
size set to 2.0,
colour set to red
expression

Or even to the same name if that name is a variable:

variable a set to
set a to

This last example shows how you enter the comma-separated with clauses. The earlier examples show how the Editor displays a set of with clauses.

If you want to use one or more existing property values in order to determine a new value, the property names must be prefixed with the name of the instance being copied, for example:

let sq2name be copy sq1 with
size set to sq1.size + 3
expression

Deconstructing a Record

A record may be deconstructed, meaning that its properties are read into separate variables using the same syntax as for deconstructing a Tuple. For example, assuming that Square is a record defined as in the example above, then this code:

let x, y, size, colourname be mySquareexpression

will read the properties into the four names defined.

When deconstructing, the names of the values must match the names of the properties of the record. However, the ordering of the names does not have to match the order in which the properties are defined in the record.

class

A class is a user-defined Type offering richer capability than an enum or a record.

Unlike a record, a class may have a constructor and procedure methods.

Like any other Type its name must begin with an uppercase letter.

Definition

Here is an example of class definition, taken from demo program snake_OOP.elan:

+class AppleName property location as Square +procedure newRandomPosition(snake as Snake) +repeat let ranX be randomInt(0, 39) let ranY be randomInt(0, 29) set property.location to new Square(ranX, ranY) end repeat when not snake.bodyCovers(property.location) end procedure +procedure updateBlocks(blocks as Array2D<of Int>) call blocks.put(property.location.x, property.location.y, red) end procedure end class

A class may define:

Using a class

A class is instantiated using the keyword new followed by the class name and brackets, which should enclose the comma-separated arguments required to match the parameters (if any) defined on the constructor for that class. For example (also from demo program snake_OOP.elan):

+constructor(parameter definitions) let tail be new Square(20, 15) set property.currentDir to Direction.right set property.body to [tail] set property.head to tail.getAdjacentSquare(property.currentDir) set property.priorTail to tail end constructor

The created instance may then be used within expressions, like any other named value.

this

If in the code of class A you want to invoke a method in class S and pass to it the current instance of A, you can refer to this instance with the keyword this, as shown by this line in demo program snake_OOP.elan:

call apple.newRandomPosition(this)

Here, method newRandomPosition is defined on class Apple which needs to be passed an instance of class Snake. (apple is an instance of class Apple).

inherits

An ordinary class (also known as a concrete class) may optionally inherit from just one abstract class but may additionally inherit from any number of interfaces. The concrete class must define for itself a concrete implementation of every abstract member defined in the abstract class or any interfaces that it inherits from, directly or indirectly.

Notes

abstract class

An abstract class may not be instantiated (and hence may not define a constructor). It may define concrete members i.e.:

As with a concrete class, any of these members may be made private, after the corresponding frame has been added, by selecting that member frame and keying Ctrl+p.

These concrete members are automatically inherited by any subclass, but they may not be overridden (re-defined) by the subclass. Therefore you should define concrete members only if they are intended to work identically on every subclass.

You may also define abstract methods on an abstract class, i.e. abstract property, abstract function, abstract procedure. Such methods define only the signature of the method, not the implementation (body), therefore they have no end statement. For example:

abstract function calculateDiscount() as Float

If you wish to have several subclasses of an abstract class that share a common implementation for a method, but require that some of the subclasses can define a different implementation, then you should:

interface

An interface is similar to an abstract class, with the difference that it may define only abstract members. The advantage of using an interface instead of an abstract class is that a concrete class can inherit from multiple interfaces.

An interface may inherit only from other interfaces.

Important: An interface must not redeclare abstract interfaces that are defined in any interface it inherits from, directly or indirectly.

See also: Inheritance.

Example using interface

   ▶ Example from a version of program blackjack.elan of:

  • inheritance from interface Player to abstract class Automated and to class HumanPlayer, and
  • inheritance from abstract class Automated to concrete class Dealer
  • (concrete) definitions of function getAction and procedure changeScoreBy following their abstract declarations.
+interface PlayerName abstract property hand as Hand abstract procedure changeScoreBy(amount as Int) end interface +abstract class AutomatedName inherits Player property hand as Hand property score as Int abstract function getAction(parameter definitions) returns Action +procedure changeScoreBy(amount as Int) set property.score to property.score + amount end procedure end class +class DealerName inherits Automated +constructor(startingPoints as Int) set property.score to startingPoints end constructor +function getAction(parameter definitions) returns Action return if property.hand.total < 17
then
Action.draw
else
Action.stand
end function
end class
+class HumanPlayerName inherits Playerinherits ClassName(s) +constructor(startingPoints as Int) set property.score to startingPoints end constructor +procedure changeScoreBy(amount as Int) set property.score to property.score + amount end procedure end class

constant

A constant defines a named value that cannot change, is always defined at global level in a program, and is global in scope. Its name follows the rules for an identifier.

A constant is defined by a literal of an immutable Type, namely Int, Float, Boolean, String, ListImmutable or DictionaryImmutable.

Constants are created at compile time, so cannot be defined with reference to any function, nor can you use any operators in an expression.

A constant can be defined by a previously defined constant or a system constant, but take care not to re-define a system constant such as pi or blue without good reason.

Examples of literal definitions of the valid Types of constant:

+constant maxHits set to 10 — an Int value +constant turquoise set to 0x00ced1 — a hexadecimal Int value +constant liveCell set to black — a copy of a system constant +constant phi set to 1.618 — a Float value +constant gameOver set to true — a Boolean value +constant warningMsg set to "Limit reached" — a String value +constant fruit set to {"apple", "orange", "banana"} — a ListImmutable +constant palette set to {red, blue, yellow, turquoise} — a ListImmutable of system and above defined constants +enum Suit spades, hearts, diamonds, clubs — an enum for use in the following constant colours +constant colours set to {Suit.spades:black, Suit.hearts:red, Suit.diamonds:red, Suit.clubs:black} — a DictionaryImmutable using enum Suit +constant scrabbleValues set to {"A":1, "B":3, "C":3, "D":2, "E":1, "F":4, "G":2, "H":4, "I":1, "J":8, "K":5, "L":1, "M":3, "N":1, "O":1, "P":3, "Q":10, "R":1, "S":1, "T":1, "U":1, "V":4, "W":4, "X":8, "Y":4, "Z":10} — a DictionaryImmutable

enum

An enum – short for 'enumeration' – provides for the simplest form of user-defined Type. You define it with a Type name (so starting with an uppercase letter) followed by a number of values (which must be valid identifiers).

A reference to an enum by its Type name necessarily holds one of the values.

Reference to the value in an enum is by using dot syntax enumType.enumValue.

An enum is read-only: once it has been defined it is not possible to add, remove, or update its values.

Examples of definition and use:

+enum ActionName stand, drawvalues +enum OutcomeName undecided, win, lose, draw, winDoublevalues +enum StatusName pending, playing, standing, blackjack, bustvalues variable statusname set to Status.pendingexpression

And from demo program snake.OOP.elan, some code lines demonstrating reference to the enum Direction and to its values:

+enum Direction up, down, left, right +constructor(parameter definitions) set property.currentDir to Direction.right end constructor +function getAdjacentSquare(d as Direction) returns Square

Member instructions

Member instructions (also referred to simply as 'members') are located within an interface, abstract class, (concrete) class or record. The new code prompt will offer a context appropriate subset of the following member instructions:

abstract property, abstract function, abstract procedure, property, function method, procedure method and constructor,

together with these 'private' versions:

private property, private function and private procedure.

This table shows which kinds of property, function or procedure, and constructor are applicable to the various kinds of class.

Abstract Concrete notes

interface
abstract class
class

record
abstract property
abstract function prototype for function reference only
abstract procedure prototype for procedure call only
property
function method
procedure method
private property
private function
private procedure
constructor

abstract property

An abstract property may be defined only on an abstract class. Any concrete subclass must then implement a concrete (regular) property to match.

abstract function

An abstract function method may be defined only on an abstract class. Any concrete subclass must then implement a concrete (regular) function to match.

abstract procedure

An abstract procedure method may be defined only on an abstract class. Any concrete subclass must then implement a concrete (regular) procedure to match.

property

A property is a named value defined on a class with a name conforming to the rules for an identifier, and a Type (which may be another class name), for example:

property height as Int
property board as Board
property head as Square
property body as [Square]

It may be given an initial value within a constructor but if it is not thus initialised, then it will be given the default value empty for its Type. You can test whether a property contains this default thus:

property names List
...
if names is empty List

A property may be read, but not written to. Properties may be modified only from outside the class by means of a Procedure method.

function method

A function method follows the same syntax and rules as a global function. The differences are:

procedure method

A 'procedure method' follows the same syntax and rules as a global procedure. The differences are:

private (property, function, procedure)

A property may be marked private, in which case it is visible only to code within the class and, if defined on an abstract class, within its subclasses. This is done by using the context menu on the property frame or selecting it and keying Ctrl+p. This action is a toggle used both to set and to remove the modifier private.

constructor(board as Board)
set property.board to board
end constructor

procedure setHeight(height as Int)
set property.height to height
end procedure

constructor

A (concrete) class may have an optional constructor so as to:

If a class does define a constructor, and the constructor defines parameters, then when the class is instantiated (using new) the values of the correct Type must be provided. For example, if the class Square has this constructor:

+constructor(x as Int, y as Intparameter definitions) set property.xvariableName to xexpression set property.yvariableName to yexpression end constructor

then it may be instantiated like this:

let tailname be new Square(20, 15)expression

Statement instructions

Statement instructions (also referred to simply as 'statements') are the imperative keywords used in the methods (procedural logic) of a program, and are:

assert, call, each, for, if, let, print, repeat, set, throw, try, variable, while.

assert (test)

The assert statement is used only within a test, which is the mechanism for running unit tests during program development, not during program execution.

Some programming languages have a feature for making assertions while your program is running. In Elan, you can get equivalent functionality by throwing an exception, as described in throw statement.

call procedure

A call statement is used when you want to run a procedure.

The procedure may be:

The arguments provided must match the number and Type of the parameters specified in the definition of the procedure. If there are no parameters, leave the brackets empty.

For procedures that you define yourself, out parameters are allowed. In this case the corresponding argument must be the name of a variable whose value gets updated by the procedure.

If the parameter is not an out parameter, any expression of the correct Type can be used as an argument.

Procedures may have side effects, for example input/output or changing a data value in an object. They can change the contents of any mutable object passed in as an argument. For this reason, procedures cannot be called from functions, which are not allowed to have side-effects. call statements are simply not allowed in functions, to enforce this.

There is a limit to the complexity of a call statement. Only one dot is allowed in the procedure name field, or two dots if the first word is property. If you need anything more complicated, use a let statement on the line above. See the error message explanation for 'procedureName' in a call statement.

each (loop)

The each...in.. construct specifies looping sequentially over the items in a List or an Array, or over the characters in a String.

The each loop counter variable is of the same Type as the items in the List or Array, or is of Type String if looping over the characters in a String. The variable does not have to have been previously defined.

Examples using each

   ▶ To print a List and then each item in it

variable namesname set to ["Tom", "Dick", "Harriet"]expression print names[0]expression +each nvariableName in namessource print nexpression end each

   ▶ Function to reverse a String

+function reverse(s as String) returns String variable sReturn set to empty String +each ch in s set sReturn to ch + sReturn end each return sReturn end function

Technical note about each

   ▶ The each instruction creates its own working copy of the subject values through which to loop sequentially. So even if the subject value is changed in any way within the each loop, this will not affect the items it refers to and processes.


for (loop)

The for..from..to..step.. construct specifies looping through a sequence of integer values with a given increment.

The for loop counter variable (which counts from 0) is of Type Int and does not have to have been defined in a variable statement.

The three defining values, from, to, and step, must all be of Type Int, positive or negative. and may be defined by literals, variables or expressions that evaluate to integers.

Note that, if you require a negative step value, then the literal, variable, or expression must start with a negative sign. This is needed at compile time to determine the nature of the exit condition. So if you have a variable s that holds a negative value to be used to step in reverse order, then you would write:

variable namesname set to ["Tom", "Dick", "Harriet"]expression variable sname set to -1expression +for nvariableName from 2expression to 0expression step -(-s)expression print names[n]expression end for

if

The if statement specifies which of several code sequences is to be executed next.

See also if expression for using the related if to return a value.

Examples using if statement

   ▶ Simple choice between equality and inequality:

+if head is applecondition then call setAppleToRandomPositionprocedureName(apple, bodyarguments) else if call body.removeAtprocedureName(0arguments) end if

   ▶ Choice between an equality, a Boolean and the alternative:

+if item is valuecondition then set resultvariableName to trueexpression else if item.isBefore(value)condition then set resultvariableName to binarySearch(lst[..mid], item)expression else if set resultvariableName to binarySearch(lst[mid + 1..], item)expression end if

let

The let statement may be thought of as being between a constant definition and a variable's set statement.. Like a variable set a let may be used only within a routine, but unlike a variable its value may not be changed with a set. It is recommended that you always use a let in preference to a variable unless you need to be able to assign a new value to it.

You can put a let in a loop, so the variable gets a new value each time it is executed, but the value of the variable cannot be changed any other way.

print

The print instruction sends text strings to the Display pane. For example:

The last example above uses interpolated strings. Arguments placed within curly braces are evaluated before printing, and these may be separated by literal text and punctuation as needed. This is one recommended way to print more than one value on a line. The other way is to use print procedures.

If the print instruction is used without any following expression, then it prints a newline, i.e. its effect is the same as print "\n".

repeat (loop)

The repeat..end repeat when condition loop is used when you want at least one execution of the enclosed statements followed by a test that chooses either to execute them again or to exit from the loop.

condition is either a Boolean variable or an expression that evaluates to a Boolean value.

If condition is true then the loop ends, if false it resumes. For example:

+repeat call file.writeLine(names[i]) set i to i + 1 end repeat when i is names.length()

set

The set statement is used to assign a new value to an existing variable. The new value must be of the same Type as (or a Type compatible with) that of the variable. A set statement may not assign a new value to a parameter within a procedure unless it the parameter is preceded by out in the parameter list.

throw (exception)

You can deliberately generate, or 'throw', an exception when a specific circumstance is identified, using a throw statement which defines an explanatory string. An example:

+if value > maximum then throw exception "proportion exceeds 100%" else set r to value/maximum*r end if

At runtime, if the condition is met, execution will stop and the Display will show:

A Runtime error occurred in the Elan code
Error: proportion exceeds 100%

This example that puts current values into the exception message string:

+if yp is 0 then throw exception "yp is zero: {xp},{yp} + {xq},{yq}" end if

For the program to retain control when an exception is raised, put the code that may cause the exception into a try statement, where you can catch (i.e. receive) the exception message string, and continue as appropriate.

try (test)

You can test whether another piece of code might throw an exception by wrapping it in a try statement. This might arise when calling a System method that is dependent upon external conditions, for example:

+try call fooprocedureName() print "not caught"expression +catch exception in evariableName print eexpression end try The variable holding the exception (by default named e, but this may be changed by you) is of Type String. You can compare the exception message to one or more expected messages and, if the message does not match an expected exception, you may choose to throw the exception 'up', as in this example: +try call fooprocedureName() print "not caught"expression +catch exception in evariableName +if e isnt "an expected message"condition then throw exception emessage end if end try

variable

The variable statement defines the name to be used to store mutable (i.e. changeable) data. The name defined must be a valid identifier, and the initial value is given by a following expression. For example:

variable notename set to 440expression

while (loop)

The while condition..end while loop is used when you want execution of the enclosed statements to begin only if condition is true.

condition is either a Boolean variable or an expression that evaluates to a Boolean value.

When condition is true the enclosed code is executed; when false the loop is bypassed. For example:

+while not file.endOfFile() print file.readLine() end while

Expressions

One of the most important constructs in programming is the expression. An expression evaluates and returns a value using the following elements:

Literal value

A literal value is where a value is written 'literally' in the code, such as 3.142 – in contrast to a value that is referred to by a name.

Here is a table showing some example literal values. Follow the links for more information about each Type.

TypeExample of literal
Int3
Float2.0
Booleantrue
String"Hello"
Tupletuple(3, "banana")
List["lemon", "lime", "orange"]
Dictionary["a":3, "b":5]
ListImmutable{"lemon", "lime", "orange"}
DictionaryImmutable{"a":3, "b":5}

For more about List and Dictionary literals see the Standard (mutable) data structures table.
For more about ListImmutable and DictionaryImmutable literals see the Immutable data structures table.

Indexed values

If a variable is of an indexable Type, then an index or index range may be applied to the variable within an expression. For example:

    variable a set to "Hello World!"
    print a[4]o
    print a[4..]o World!
    print a[..7]Hello W   (since the upper bound of a range is exclusive)
    print a[0..4]Hell         (for the same reason)

In the examples above, the result is of Type String in all cases.

When using indexing on other Types:

Indexable Types are String, Array, Array2D, List, Dictionary, ListImmutable and DictionaryImmutable.

Index ranges cannot be applied to Dictionary or DictionaryImmutable.

If the index values in a range are equal, or the second is smaller than the first, then an empty data structure of the correct Type is generated.

Unlike in many languages, indexes in Elan (whether, single, multiple, or a range) are only ever used for reading values. Writing a value to a specific index location is done through a method such as in these examples:

    put           on a   List
    withPut   on a    ListImmutable
    put           on a    Dictionary
    withPut   on a    DictionaryImmutable

Operators

Arithmetic operators

Arithmetic operators can be applied to Float or Int arguments. The result may be a Float or an Int depending on the arguments.

For the ^ + − * operators, the result is a Float if either of the arguments is a Float, and an Int if both arguments are Int.

For the / operator, the result is always a Float. It can be converted to an Int using standalone function floor.

The operator mod is applied only to Int arguments, and the result is Int.

The operator div is deprecated (as of v1.8.0). The recommended coding pattern for integer division is to use regular division and the standalone function floor.

    2^38
    2/30.666..
    2*36
    2 + 35
    2 − 3−6
    11 mod 32 (integer remainder)
    11 div 33 (integer division) is deprecated, use instead:
    (11/3).floor()3, and note that rounding is always down:
    (-11/3).floor()−4

Arithmetic operators follow the conventional rules for precedence i.e. 'BIDMAS' (or 'BODMAS').

When combining mod with other operators in an expression, insert brackets to avoid ambiguity e.g.:

    (5 + 6) mod 3

Note that mod is more of a remainder operator than a modulus operator. The result takes the sign of the first argument. If both arguments are positive, there is no difference.

The minus sign may also be used as a unary operator, and this takes precedence over binary operators so:

    2*−3−6

The editor automatically puts spaces around the operators + and , but not around ^, / or *. This is just to visually reinforce the precedence.

The + operator is also used for concatenating String values.

The editor automatically inserts spaces around the + and binary operators, but not around ^, / or *. This is just to visually reinforce the precedence.

The + operator is also used for concatenating Strings. See String.

Logical operators

Logical operators are applied to Boolean arguments and return a Boolean result.

and and or are binary operators
not is a unary operator.

The operator precedence is notandor, so this example, which implements an 'exclusive or', need not use brackets and can rely on the operator precedence:

+function xorname(a as Boolean, b as Booleanparameter definitions) returns BooleanType return a and not b or b and not aexpression end function

Equality testing

Equality testing uses the is and isnt keywords with two arguments. The arguments may be of any Type.

Note that in Elan equality testing is always 'equality by value'; there is no such thing as 'equality by reference'.

If the items being compared are composite Types, the elements within them are compared sequentially to see if the objects are equal. For example two distinct instances of the same class compare equal if the values of all their properties compare equal. And two Lists compare equal if they contain the same elements in the same order.

The compiler rejects any attempt to compare instances of different classes unless abstract classes and inheritance are involved. Two instances which are subclasses of the same abstract class compare equal only if they are of the same class (and have the same property values).

Numeric comparison

The numeric comparison operators are:

    >         for     greater than
    <         for     less than
    >=        for     greater than or equal to
    <=        for     less than or equal to

Each is applied to two arguments of Type Float, but any named value or expression that evaluates to an Int may always be used where a Float is expected.

Notes

Combining operators

You can combine operators of different kinds, e.g. combining numeric comparison with logical operators in a single expression. However the rules of precedence between operators of different kinds are complex. It is strongly recommend that you always use brackets to disambiguate such expressions, for example:

(a > b) and (b < c)expression
(a + b) > (c - d)expression

Function reference

An expression may simply be a reference to a function, or it may include several function references within it. Examples: print sinDeg(30)expression variable xname set to sinDeg(30)^2 + cosDeg(30)^2expression variable namename set to inputString("Your name")expression print name.upperCase()expression

Notes

lambda

A lambda is a lightweight means to define a function 'in line'. You typically define a lambda:

The syntax for a lambda is as follows:

Example: +function liveNeighboursname(cells as List<of Boolean>, c as Intparameter definitions) returns IntType let neighboursname be neighbourCells(c)expression let livename be neighbours.filter(lambda i as Int => cells[i])expression return live.length()expression end function Notes:

if expression

The if expression has a similar structure to the if statement, but is an expression that returns a value.

Examples using if expression:

   ▶ Choice in set and let assignments (the brackets around the first if expression are optional):

variable c set to 1160 set c to (if c < 1160
then
c + 40
else
c - 1160)
let d be if c < 580
then
c - 40
else
c + 60

   ▶ Choice in a return statement:

return if isGreen(attempt, target, n)
then
setChar(attempt, n, "*")
else
attempt

   ▶ Using else if clause:

return if attempt[n] is "*"
then
attempt
else
if isYellow(attempt, target, n)
then
setChar(attempt, n, "+")
else
setChar(attempt, n, "_")

new

A 'new instance' expression is used to create a new instance of a library data structure, or a user-defined class or record – either to assign to a named value, or as part of a more complex expression. Example of use from demo program snake_PP.elan:

let blocksname be new Array2D<of Int>(40, 30, white)expression

Where the new instance is of a user-defined class or record the expression may optionally be followed by a with clause in order to specify any property values. Example of this use:

+function dealCard(random as Float) returns Card let number be (random*52).floor() let rank be rankValue.keys()[(number/4).floor()] let suit be number mod 4 return new Card() with
rank set to rank,
suit set to suit
expression
end function

copy..with

A copy..with expression is used to make a copy of an existing instance, but with a different value for one or more of the properties – either to assign to a named value, or as part of a more complex expression.

It is used extensively within functional programming where you are dealing with records or other immutable Types. Example of use in this manner, taken from demo program snake_FP.elan:

+function newApplename(g as Gameparameter definitions) returns GameType let x, rnd2name be g.rnd.nextInt(0, 39)expression let y, rnd3name be rnd2.nextInt(0, 29)expression let apple2name be newSquare(x, y)expression let g2name be copy g with
apple set to apple2,
rnd set to rnd3
expression
return if bodyOverlaps(g2, apple2) then newApple(g2)
else
g2
expression
end function

copy..with may also be used in object-oriented programming with instances of regular (mutable) classes. Also, note that a with clause (following the same syntax as in a copy..with expression), may be used within a new instance expression to set up properties for the object not specified in the constructor.

empty

An 'empty of Type' expression is used to make the default (empty) instance of any Type – usually only created for comparing to another instance to test whether that other instance is also empty or default. This may arise, for example, if a class or record is defined with a property that has never had a value assigned to it. The following example is taken from demo program pathfinder.elan:

+procedure visitNextPointname(parameter definitionsparameter definitions) call updateNeighboursprocedureName() set property.currentvariableName to nextNodeToVisit()expression +if (property.current is empty Node) or (property.current.point is property.destination)condition then set property.runningvariableName to falseexpression else if call property.current.setVisitedprocedureName(truearguments) end if end procedure

It is also possible explicitly to set a property or a named value to an empty instance of the appropriate Type.

Comments

# comment

A comment is not an instruction: it is ignored by the compiler and does not change how the program works. Rather, a comment contains information about the program, intended to be read by a person seeking to understand or modify the code.

Every comment starts with the hash symbol # followed by some text or a blank line. The text field in a comment may contain any text, except that it must not start with the open square bracket symbol [.

Comments may be inserted at any level: in the Global, Member, or Statement instruction levels, as well as from the new code prompt – every prompt provides a # for entering a comment.

Every Elan program has a single comment at the top of the file, which is generated by the system and cannot be edited or deleted by the user. This comment is known as the 'file header' and shows the version of Elan being run.

Compile errors and warnings

Q: What is the difference between a compile error and a warning.

A: A warning usually indicates that the fix may involve adding some more code, for example adding a definition for an unknown identifier. An error usually indicates that you will need to alter code to fix the error. But they are similar in that you will not be able to run your program until the issues are fixed. In all programming languages it is a good practice 'treat all compile warnings as errors' i.e. fix them as soon as you see them appear.

Messages

Expression must be ...

An expression, when evaluated, results in a value of a Type that is not compatible with its 'target', for example: if the result of the expression is being assigned to an existing variable, or if an expression is defined 'inline' as an argument into a method call.

Cannot use 'this' outside class context

The keyword this may only be used within an instance method on a class to refer to the current instance.

Abstract Class ... must be declared before it is used

If a class inherits from one or more abstract classes, then the latter must all have already been declared (defined) earlier in the code file.

Member ... must be of type ...

This error occurs when a class is defined as inheriting from an abstract class, and has implemented an inherited member (method or property) with the correct name, but with different Types.

Incompatible types. Expected: ... Provided: ...

Cannot determine common type between ... and ...

... is not defined for type ...

Arises when 'dot calling' a member (method or property) that does not exist on the Type of the named value or expression before the dot.

Cannot call a function as a procedure

A function (or function method) is to be used within an expression, not via a call instruction.

Cannot use a system method in a function

A 'system method' (defined in the Standard Library) returns a value like a function does. However, because a system method either makes changes to the system and/or depends on external inputs, it may be used only within a procedure or the main routine.

Code change required ...

Indicates that a library method or class has been changed since the version in which your Elan code was written. The link in the message should take you directly to information in the Library Reference documentation on how to update your code to cope with the change.

Cannot call procedure ... within an expression

A procedure may be used only within a call instruction.

Cannot invoke ... as a method

The code is attempting to use a free-standing method (function or procedure) as a 'dot method' on a named value or the result of an expression.

Cannot ...index ...

An index (in square brackets) may be applied only to certain data structure Types: String, Array, Array2D, List, ListImmutable, Dictionary, and DictionaryImmutable.

Cannot range ...

A range may be applied only to certain data structure Types: String, Array, List, and ListImmutable.

Cannot new ...

The Type specified after the call keyword cannot be instantiated. Either the Type is inapplicable, or it is an abstract class or interface.

Source for 'each' must be an Array, List, or String.

Superclass ... must be inheritable class

A concrete class may inherit from an abstract class, and/or an interface, but not from another concrete class. In Elan, all classes must be either abstract or 'final' – a final class being concrete and not-inheritable.

Superclass ... must be an interface

An interface may inherit from other interfaces, but not from any class.

Class/interface ... cannot inherit from itself

The message is self explanatory.

There must be only one abstract superclass ...

A class may inherit from only one abstract class. However, it may additionally inherit from one or more interfaces.

Cannot reference private member ...

A private member (method or property) may be accessed only by code within the class, or within subclasses of it. It may not be accessed by any code outside the class hierarchy.

... must implement ...

If a concrete class inherits from any abstract class or interface(s) it must implement all abstract methods defined in those Types.

... must be concrete to new

You cannot create an instance of any abstract class or interface: only of a concrete class.

Cannot pass ... as an out parameter

If a parameter of a procedure is marked with out then this means that the parameter may be reassigned within the procedure. Therefore you must pass in a variable that can be re-assigned. You cannot pass in: a constant, a literal value, or a named value that is defined by a let instruction.

Cannot call extension method directly

A method that is defined within the Library as an extension method, such as asString, may be called on a named value or an expression only using dot syntax.

Cannot prefix function with 'property'

The prefix property. may only be used before a property name: not a function name.

Missing argument(s) ...

The method being called expects more arguments than have been provided.

Too many argument(s) ...

A method has been passed more arguments than it expects.

Argument types ...

One or more arguments provided to the method are of the wrong Type.

...<of Type>...

Certain data structure Types, including Array, Array2D, List must specify the Type of their members, for example List<of Int>. Failure to specify the '<of Type>' on these Types will give an error, as will specifying 'of Type' where it is not required. Dictionaries require Types to be specified for both the keys and the values, for example: Dictionary<of String, Float>.

May not re-assign the ...

Attempting to re-assign, or mutate, a named value that may not be re-assigned in the current context.

Name ... not unique in scope ...

Attempting to create an identifier with the same name as one already defined within the same scope.

May not set ... in a function

A property can be re-assigned only within a procedure method, not within a function, because re-assigning a property is a 'side effect'.

The identifier ... is already used for a ... and cannot be re-defined here.

An existing named value may not be defined again within the same scope.

Duplicate Dictionary key(s)

Attempting to define a literal Dictionary or DictionaryImmutable with one or more duplicated keys in the definition.

Library or class function ... cannot be used without brackets

a comment may not start with [ unless it is a recognised compiler directive

Compiler directives are a planned future capability. They will look like comments, but begin with an open square bracket. To avoid the possibility of ambiguity, you may not start your own comments with an open square bracket.

Condition of 'if' expression does not evaluate to a Boolean.

Cannot have any clause after unconditional 'else'.

... is a keyword, and may not be used as an identifier.

An Elan keyword cannot be used to as the name for a value, property, or method. Try shortening the name, lengthening it, or using a different name

For reference, the complete list of keywords is:
#, abstract, and, as, assert, be, call, catch, class, constant, constructor, copy, div, each, else, empty, end, enum, exception, for, from, function, global, if, image, in, inherits, interface, is, isnt, lambda, let, library, main, mod, new, not, of, or, out, print, private, procedure, property, record, ref, repeat, return, returns, set, step, test, then, this, throw, to, try, variable, while, with

... is a reserved word, and may not be used as an identifier.

In addition to Elan keywords there are certain other 'reserved words' that cannot be used to define the name for a value, property, or method.If you encounter this error you may eliminate the error simply by adding more valid characters to the name – for example just by changing case to case_.

Why are there any reserved words that are not Elan keywords? There are three kinds of reserved word:

For reference, the complete list of reserved words is:
action, arguments, array, async, await, boolean, break, by, byte, case, char, const, continue, curry, debugger, default, delete, dictionary, do, double, eval, export, extends, final, finally, float, goto, ignore, implements, import, instanceof, int, into, list, long, match, namespace, native, null, on, optional, otherwise, package, partial, pattern, protected, public, short, static, string, super, switch, system, synchronized, throws, todo, transient, typeof, void, volatile, var, when, yield

Index cannot be negative.

An index into an array or list cannot have a negative value. If a negative is given in literal form e.g. a[−3] then this will generate a compile error. If you use a named value for an index and it is negative, then this will cause a runtime error.

Cannot do equality operations on Procedures or Functions.

It is not possible to apply comparison operations to functions or procedures as themselves. It is, however, possible to compare the results of two function evaluations. You may see this message because you intended to evaluate a function but forgot to add the brackets after the name.

Property ... is not of an immutable type.

Properties on a record may only be of immutable Types.

... cannot be of mutable type ...

Element Type for a ListImmutable must itself be an immutable Type. Similarly, for an DictionaryImmutable the Types for both the key and the value must be immutable ones.

... cannot have key of type ...

The Type of the key for any dictionary Dictionary must be an immutable Type, and not itself an indexable Type.

No such property ... on record ...

The property name given in the record deconstruction does not match a property on the given Type of record.

Cannot discard in record deconstruction ...

Wrong number of deconstructed variables.

referencing a property requires a prefix.

If you are referring to a property of a class from code defined within the class then the property name must be preceded by property.

'out' parameters are only supported on procedures.

You cannot defined an out parameter in a function (because that would imply the possibility of creating a side effect).

There can only be one 'main' in a program.

Unsupported operation.

You cannot chain two 'unary' operators (those that apply to a single value), such as - or not successively within an expression.

Parameter ... may not have the same name as the method in which it is defined.

A function or procedure named e.g. 'foo' may not define a parameter with that same name.

Field help

'arguments' field in a call instruction

An argument list passed into a function or procedure call, must consist of one or more arguments separated by commas. Each argument may in general be any of:

In certain very specific contexts, however, some options are disallowed by the compiler.

'computed value' field in an assert instruction

The 'actual' field should be kept as simple as possible, preferably just a named value or a function evaluation. Generally, if you want to use a more complex expression, it is better to evaluate it in a preceding let instruction and then use the named value in the 'actual' field of the assert instruction. Some more complex expressions are permissible, but these two restrictions apply:

'variable name' field in a set instruction

The first field in a set instruction most commonly takes the name of an existing variable. It may, however, may also take the following forms:

'comment' field

literal value or data structure in a constant

The value of a constant must be a literal value of a Type that is not mutable. This can be a simple value (e.g. a number or string), or an immutable List or Dictionary.

'values' field in an enum definition

enum values must each be a valid identifier, separated by commas.

'message' field in a throw instruction

An exception message must be either a literal string or a named value holding a string.

expression field - used within multiple instructions

This field expects an expression. For the various forms of expression see Expressions.

identifier field - used within multiple instructions

'if' field in an else clause

'inherits ClassName' field in a class

An inheritance clause, if used, must consist of the keyword inherits followed by a space and then one or more Type names separated by commas.

'name' field in a function or procedure definition

A method name must follow the rules for an identifier.

'parameter definitions' in a function or procedure definition

Each parameter definition takes the form:

name as Type

The name must follow the rules for an identifier.

The Type must follow the rules for a Type.

If more than one parameter is defined, the definitions must be separated by commas.

'procedureName' in a call statement

Valid forms for a procedure call are

The last one is used only if there is a need to disambiguate between a library procedure and a user-defined (global) procedure with the same name.

'Type' field in a function or property definition

For certain Types the name may be followed by an of clause, for example:

List<of Int>
Dictionary<of String, Int>

'Name' field in a class or enum definition

Type names always begin with a capital letter, optionally followed by letters of either case, numeric digits, or underscore symbols. Nothing else.

'name' field in a let or variable instruction

The definition for a variable or for a let statement is most commonly a simple name. Less commonly, it may take the form of a dconstruction of a List, ListImmutable, Tuple or Record.

Advisory

Code change suggested. Method was deprecated in v7.1.

'div' is deprecated. Recommended code for integer division is e.g. (10/3).floor()

Runtime errors

Messages

Tests timed out and were aborted

An error or infinite loop found in a test. Refer to ghosting tests.

Overly complex expressions

Overly complex expressions – for example involving a sequence of open brackets – can result in very slow parsing. We strongly recommend that you you simplify the contents of this field, for example by breaking out parts of it into separate let statements; otherwise it might become impossible to add more text.

ReferenceError: Cannot access '[name]' before initialization


Elan Language Reference go to the top