Squirrel: Difference between revisions
m (Either {{=}} or <nowiki>=</nowiki> but not both. Put Category back to the bottom of the page - if written at the top, you'd have to write all categories (and more!) on one line (or use comments) to properly avoid unintended newlines - that's not cool.) |
mNo edit summary |
||
Line 15: | Line 15: | ||
! Squirrel Version !! Release Date !! Games | ! Squirrel Version !! Release Date !! Games | ||
|- | |- | ||
| [http://squirrel-lang.org/doc/squirrel2.html 2.2.3] || before 2011-11-28 || {{portal2|4}}<br>{{csgo|4}} | | [http://squirrel-lang.org/doc/squirrel2.html 2.2.3] || before 2011-11-28 || {{portal2|4}}<br>{{csgo|4}}<br>{{as|4}} | ||
|- | |- | ||
| [http://squirrel-lang.org/doc/squirrel3.html 3.0.4] || before 2015-01-10 || {{l4d2|4}}<br>{{tf2|4}} | | [http://squirrel-lang.org/doc/squirrel3.html 3.0.4] || before 2015-01-10 || {{l4d2|4}}<br>{{tf2|4}} |
Revision as of 14:01, 18 February 2023


Squirrel is a programming language similar to Lua, but uses a C like syntax. In Source Squirrel is used as one of the scripting languages in the VScript scripting system. The official Squirrel documentation can be found here
Squirrel heavily uses an associative array data structure called a table. Both the keys and values of a table can contain almost any kind of variable. The scripting environment consists of nested tables, and when a script is executed its variables and functions are added as table slots.
printl("Hello World"); // statements can end with both a semicolon...
printl("Hello World") // ...or a newline character
Squirrel's syntax is similar to C/C++/Java etc... but the language has a very dynamic nature like Python/Lua etc.
Statements can be separated with both a new line or ;
(or with the keywords case
or default
if inside a switch/case statement), both symbols are not required if the statement is followed by }
.
Squirrel Version | Release Date | Games |
---|---|---|
2.2.3 | before 2011-11-28 | ![]() ![]() ![]() |
3.0.4 | before 2015-01-10 | ![]() ![]() |
3.2 | 2022-02-11 | - |
Variables
Squirrel has two kinds of variables: table slots and local
variables.
Since the execution scope is always a table, any variables declared outside functions will always be table slots.
- Table slots have to be declared using the
<-
operator. These are to be used for values that should remain when a function ends. Once a slot exists, it can be reassigned with both the=
or the<-
operator. - Global variables are slots in the root table (
getroottable()
). They can be declared using the::
scoping operator and accessed without it. - Variables local to functions can be declared using the
local
keyword. These are to be used for temporary values or helpers that can be discarded after a function call. - Constants are declared with the
const
keyword and computed compile-time. Their value can only be an integer, float or string. During runtime,getconsttable()
returns a table with all constants.
a <- 5 // creates a table slot in this table
b <- "A text string" // creates a table slot in this table
::x <- 10 // creates a table slot in the root table
local i = 0 // initializes a temporary variable
const PI = 3.14159 // creates a new constant
b = "New string" // modifies the existing table slot
x = 11 // modifies the existing table slot
|
The in
operator can be used to test whether a table slot exists. One could also do: try {a} catch (e) { /*...*/ }
. The following code is assumed to be executed after the above, i.e. in the same environment.
"a" in this // true
"x" in this // false, unless we're in the root table
"i" in this // false, local variables aren't table slots
"PI" in this // true
delete a // deletes a table slot
"a" in this // false, no longer exists
|
Data Types
Squirrel is a dynamically typed language. Any variable can be assigned a value of any type.
Template:ModernNote
The built-in function typeof
returns the type of an input value as a string in lower case, e.g. typeof(5) == "integer"
.
Type | Description |
---|---|
Integer
|
The integers -2,147,483,648 to 2,147,483,647 , namely -231 to 231-1.
|
Float
|
-3.4028235e38 to 3.4028235e38 , namely -3.4028235 × 1038 to 3.4028235 × 1038.
|
String
|
An immutable string. They behave like C strings, and support escape sequences (\t,\a,\b,\n,\r,\v,\f,\\,\",\',\0,\xhhhh ).
|
Null
|
Null data type with the only value null .
|
Bool
|
Boolean data type that can be true or false .
|
Table
|
Associative array. |
Array
|
Mutable C style array. |
Function
|
Second order functions are supported, so functions can assigned as values to variables. |
Class
|
Object oriented class. Implementation similar to tables. |
Class Instance
|
Object instances of classes. Script handles generated by the game also identify as instances. |
Generator
|
A function whose execution can be suspended and resumed. |
Userdata
|
Opaque data used by the game. |
Thread
|
Todo: Possibly unavailable in VScript
|
Weak reference
|
Bool
Squirrel considers null
, 0
(type Integer) and 0.0
(type Float) as false
, any other value is considered true
. This allows you for example to null-check variables using if (var)
.
Template:ModernWarning
if (false) { /* ... */ } // not executed
if (null) { /* ... */ } // not executed
if (0) { /* ... */ } // not executed
if (0.0) { /* ... */ } // not executed
|
Tables
Tables are associative arrays, meaning that they contain a collection of key-value pairs, called slots. A table can be indexed into using the key, returning the associated value. The keys and values can be of any data type (except null
for the key), including other tables, allowing the creation of more complex data structures.
Tables are defined using curly brackets. Inside a table definition slots can be defined using the key1 = value1, key2 = value2, ...
pattern. Outside of the definition, new slots can be added to existing tables using the table.key <- value
pattern.
Using the .
operator to index a key only works when the key is a string or numerical literal. Array style indexing table[keyVariable]
can be used to index any kind of key.
// Table defintion.
myTable <-
{
a = 3, // key: "a", value: 3
b = 7, // key: "b", value: 7
x = "example text", // key: "x", value: "example text"
[6] = "six" // key: 6 , value: "six"
nestedTable =
{
z = "another string"
}
}
// alternatively:
myTable <- {}
myTable["a"] <- 3 // string keys can be indexed...
myTable.b <- 7 // ...in two ways
myTable.x <- "example text"
myTable[6] <- "six" // numbers must be indexed like this
myTable.nestedTable <- { z = "another string" }
|
foreach (key, value in myTable)
{
printl(key + ": " + value)
}
// Prints (order might vary!):
// a: 3
// x: example text
// b: 4
// 6: six
// nestedTable: (table : 0x000000000069D130)
printl("a" in myTable) // prints "true"
printl( 3 in myTable) // prints "false"
printl(myTable.len()) // prints 5
|
// Adding non-string keys
a <- "0"
myTable[a] <- 11 // key: "0", value: 11
printl(myTable.a) // prints "3"
printl(myTable[a]) // prints "11"
printl(myTable["0"]) // prints "11"
printl(myTable[0]) // exception, key 0 doesn't exist
printl(myTable.nestedTable.z) // prints "another string"
|
Arrays
Arrays are sequences of objects that are numerically indexed starting from 0. Syntactically they function similarly to C arrays, but unlike C arrays, they are mutable and values can be inserted and removed using a set of built in functions.
Arrays are defined using square brackets. Template:ModernWarning Template:ModernTip
// Array definition.
myArray <-
[
7, // key: 0, value: 7
"more text", // key: 1, value: "more text"
null // key: 2, value: null
]
// alternatively:
myArray <- []
myArray.append(7)
myArray.append("more text")
myArray.append(null)
// alternatively:
myArray <- array(3)
myArray[0] = 7
myArray[1] = "more text"
myArray[2] = null
|
foreach (index, value in myArray)
{
printl(index + ": " + value)
}
// alternatively:
for (local index = 0; index < myArray.len(); index++)
{
printl(index + ": " + value)
}
// Prints:
// 0: 7
// 1: more text
// 2: null
printl( 2 in myArray) // prints "true"
printl("more text" in myArray) // prints "false"
printl(myArray.len()) // prints 3
|
printl(myArray[0]) // prints "7"
myArray.remove(0)
printl(myArray[0]) // prints "more text"
|
Functions
Functions in Squirrel work similarly to their C counterparts. Second order functions are supported, so functions can be directly manipulated like other values, including it being possible to store them in variables and table slots. Default parameter values and variable numbers of parameters are also supported.
For more details, see the Squirrel API about functions.
It is common practice to begin with a capital letter when naming functions.
// declares and (re)defines "Greet"
function Greet()
{
printl("Hello!")
}
Greet() // prints "Hello!"
|
// declares and (re)defines "Greet"
Greet <- function()
{
printl("Hello!")
}
Greet() // prints "Hello!"
|
// (re)defines "Greet"; exception if "Greet" not declared!
Greet = function()
{
printl("Hello!")
}
Greet() // prints "Hello!"
|
When a function is called, it can be made so that it can or must receive input values that determine the function's side effects and/or its return value.
- Multiple parameters must be comma delimited:
function Test( a , b , c , d=4, e=5) {...}
- All parameters with no default value must be ordered first.
- To avoid exceptions, it is often a good idea to check if a parameter is not
null
. - As parameters are not restricted to a type, the
typeof
function can be used to handle different types differently.
// normal parameter
function Greet(name)
{
printl("Hello, " + name + "!")
}
Greet() // exception
Greet("Gabe") // prints "Hello, Gabe!"
|
// parameter with default value
function Greet(name="Gordon")
{
printl("Hello, " + name + "!")
}
Greet() // prints "Hello, Gordon!"
Greet("Gabe") // prints "Hello, Gabe!"
|
A function can have a variable number of arguments by specifying "..."
as last parameter. In the function body, the variable vargv
will be available and behaves like a normal array.
Template:ModernNote
// Squirrel 3.x
varArgFunction <- function(delimiter, ...)
{
foreach (i, arg in vargv)
print(i + delimiter + arg + "\n")
}
varArgFunction(" : ", 4, null, "string")
// prints:
// 0 : 4
// 1 : null
// 2 : string
|
// Squirrel 2.x
varArgFunction <- function(delimiter, ...)
{
for (local i = 0, i < vargc; i++)
print(i + delimiter + vargv[i] + "\n")
}
varArgFunction(" : ", 4, null, "string")
// prints:
// 0 : 4
// 1 : null
// 2 : string
|
A function is ended with the optional return
statement, where it is also possible to return a value.
You can imagine a return value as being 'inserted' into where the function was called. If no return value is specified within the function, it returns the value as null
.
function IsEven(n)
{
if (n % 2 == 0)
return true
else
return false
}
if (IsEven(42)) // (42 % 2 == 0) == true
{
printl("42 is even!")
}
|
Since Squirrel 3.x, there are lambda expressions which are used as a more convenient way to define a function that just returns a single expression. These are especially useful when a function is needed as a parameter for a different function such as
array.sort
or array.map
.
local func = @(a,b) a - b // == function(a,b) { return a - b }
printl( func(17,9) ) // prints 8
local arr = [1,5,4,6,2,3]
arr.sort(func)
// arr == [1,2,3,4,5,6]
arr = arr.map( @(x) x * x ) // == function(x) { return x * x }
// arr == [1,4,9,16,25,36]
|
Classes
The following is just an example of some basic class syntax. For details, see Squirrel API about classes.

_tostring(), _typeof(), _cmp(other), _add(other), _sub(other), _mul(other), _div(other), _modulo(other), _nexti(previdx)
.class Weapon
{
static prefix = "weapon_" // static variables are read-only!
// For instance-individual variables it's best to declare
// them with anything and overwrite them on construction.
name = null
primMax = null
secMax = null
// Containers and instances are not copied per instance, just
// the reference. count[0] is the same for all of instances.
count = [0]
constructor(name0, prim, sec)
{
name = prefix + name0
primMax = prim
secMax = sec
count[0]++
}
function GetEntities()
{
local list = []
local wep = null
while ( wep = Entities.FindByClassname(wep, name) )
{
list.append(wep)
}
return list
}
// ... more useful functions ...
}
awp <- Weapon("awp", 10, 30)
ak47 <- Weapon("ak47", 30, 90)
// can access class variables and functions
// with awp.primMax, awp.GetEntities(), etc.
Generators
A generator is a function where the key word yield
appears; It suspends the execution of that generator function and can return some expression to the function that had resumed it. Some generator g
can be resumed with the expression resume g
; The value of this resume
expression is what was yield
ed when the function has been suspended the last time. The return
value of a generator does not matter.
Generators can be used in foreach
statements, such that no resume
statement must be typed.
function PowersOfTwo()
{
for (local n = 1; true; n *= 2)
yield n
}
local x = 100
// Set x to the smallest power of 2
// that is larger than or equal to x:
foreach (i,pow in PowersOfTwo())
{
if (pow >= x)
{
x = pow
break
}
}
Scripting
Please see VScript Fundamentals for more information.
With the Source VScript system, scripts are stored in the game\scripts\vscripts\
directory. Squirrel scripts use the .nut
file extension, and the .nuc
extension for ICE encrypted files.
Common to all Squirrel using games, scripts can be associated to a game entity as an entity script that is executed then the entity spawns, and has access to the script handle of its entity through the self
variable. Specific games can also have other methods of executing scripts.
Script files can also be executed from the Developer Console using the script_execute command. Lines of code can even be executed in-line with the script command.
See Also
- VScript
- VScript Fundamentals
Scripting in L4D2
List of CS:GO Script Functions
List of TF2 Script Functions