Mica is a dynamically typed scripting language akin to Lua and Ruby. The main goal of Mica is to have a small but flexible feature set, packed up in a human-friendly syntax.
Comments can be used for annotating source code with human-readable info. A comment begins with the
hash #
symbol, and ends at the end of a line.
# This is a comment.
# Hello!
1 + 2
At the core of everything in Mica are expressions. Each expression produces a value whose type is determined at runtime.
Literals are a way of inputting values directly into a program's source code. A literal expression evaluates to the value of the literal.
nil # Nil, means no value
true # Boolean
false
1 # Number
1.41
"abc" # String
"\"hi\""
Identifiers allow for referring to existing, named values.
snake_case
PascalCase
zażółć_gęślą_jaźń
An identifier must start with an alphabetic character or an underscore, and continues with zero or more alphanumeric characters or underscores. Alphabetic and alphanumeric characters are defined in Chapter 4 of the Unicode Standard.
The naming conventions used in Mica code should be PascalCase
for type names and snake_case
for
everything else (variables, functions). SCREAMING_SNAKE_CASE
can be used for constants, however
the immutability of such values is not enforced by the language.
Certain identifiers are reserved as keywords. This means they have a significant meaning in the language syntax and cannot be used as ordinary values.
Mica defines the following operators, grouped by precedence (largest to smallest):
! (prefix) - (prefix)
()
* /
+ -
== != < > <= >=
=
and
or
The operators +
, -
(both prefix and infix), *
, /
are used for arithmetic and perform
addition, subtraction, multiplication, and division respectively.
> 1 + 1
< 2
> 1 - 1
< 0
> 8 * 8
< 64
> 64 / 8
< 8
The prefix -
can be used to negate numbers.
The operators ==
, !=
, <
, >
, <=
, >=
can be used for comparing objects for equality or
order. Each of these operators returns a Boolean
.
Ordered relation between values of distinct types is undefined and raises a runtime error.
> 1 == 1
< true
> 2 != 1
< true
> 3 < 3
< false
> 3 <= 3
< false
> true < 1
error: type mismatch, expected Boolean but got Number
(repl):1:6 <main>
The operators !
(prefix), and
, and or
perform the logic operations NOT, AND, and OR
respectively.
These operators work on values of all types and their results depend on whether a value is
truthy or falsy. Falsy values include nil
and false
. All other values are truthy.
Truthiness of values is used to determine how a value would convert to a Boolean
, without actually
performing a conversion.
> !true
< false
> !false
< true
> false and 1
< false
> 1 and 2
< 1
> nil or 2
< 2
> 1 or 2
< 1
The REPL log above shows a property of the and
and or
operators, which is called
short-circuiting. If the result of an operation can be deduced from only evaluating the left
operand, the right operand will not be evaluated and instead the left one will be returned.
Variables are assigned using the =
operator:
> x = 1
< 1
The =
operator returns the value of the variable. Combined with the fact that it's right- rather
than left-associative, this can be used for assigning the same value to multiple variables at once:
> x = y = 1
< 1
> x
< 1
> y
< 1
The REPL log above also shows that assigned variables can be referred to using bare identifiers.
Reading from an undefined variable is an error:
> swoosh
(repl):1:1: error: variable 'swoosh' does not exist
Variables can be reassigned:
> a = 1
< 1
> a
< 1
> a = 123
< 123
> a
< 123
Variables are subject to scoping. Mica has two kinds of scopes: global, and local.
The global scope is the default scope. A local scope can be introduced by using do..end
.
do
my_variable = 1
print(my_variable) #> 1
end
A do..end
block returns the value of the last expression inside.
The only semantic difference between the two is that global variables are persistent. This means that a global variable is never deleted, and is always reachable.
Local variables on the other hand, are temporary, and are deleted as soon as the block they were
declared in end
s.
> do
my_variable = 1
end
< 1
> my_variable
(repl):1:1: error: variable 'my_variable' does not exist
if
expressions allow for evaluating different branches of code based upon conditions.
if condition do
# branch
end
The condition can be any expression. The branch will execute only if the condition is evaluated to
be truthy. Once the branch is finished executing, no other conditions nor branches will be evaluated.
Otherwise evaluation will jump over the branch, over to the next condition, until the end of the
if
expression is reached.
The return value of an if
is the last expression evaluated inside a branch. If no branch is
evaluated, the return value is nil
.
More branches can be specified by using the elif
keyword:
x = Number.from_string(readline())
if x == 1 do
"one!"
elif x == 2 do
"two!"
elif x == 3 do
"three!"
end
A fallback branch can be specified by using the else
keyword:
if readline() == "yes" do
print("Continuing.")
else
print("Cancelling...")
end
while
is an expression that can be used for looping.
while condition do
# body
end
The condition will be evaluated, and if found truthy, the body will execute. Once the body is done executing, evaluation will jump back to the condition. If the condition is falsy, the entire loop will be jumped over.
By default, the result value of a while
loop is nil
.
A basic loop that counts up from 1 to 10:
i = 1
while i <= 10 do
print(i)
i = i + 1
end
A break
expression can be used to immediately jump past a loop.
i = 1
while true do
print(i)
i = i + 1
if i * i >= 100 do
break
end
end
print("done!")
In the above example, once the break
expression is hit as a result of the if
condition being
truthy, execution will jump past the loop onto the line with print
.
break
can also be used to override the default nil
return value of a loop:
# Find the first number whose square is greater than 100.
i = 1
print(while true do
i = i + 1
if i * i > 100 do
break i
end
end) #> 11
In fact, a bare break
is syntax sugar for break nil
.
Items are a step above expressions, because they are treated specially by the compiler.
Each item introduces a new variable into scope.
Items are not expressions, but an expression can appear in any place an item can.
All items evaluate to nil
when used as the last statement of a block.
The top level of a script, as well as any block such as do..end
, is comprised of items.
A function definition creates a new function and assigns it to a variable. The syntax is:
func name(param1, param2, param3)
# body
end
This syntax is almost exactly the same as:
# Introduce the variable into scope first, so that the function can be called recursively.
name = nil
name = func (param1, param2, param3)
# body
end
However, the func name() end
form is preferred as it assigns a name to the function, which is
visible in stack traces. Anonymous functions have the name <anonymous>
.