]> granicus.if.org Git - icinga2/blob - doc/17-language-reference.md
Docs: Rewrite cluster and client chapter from scratch; add service monitoring chapter
[icinga2] / doc / 17-language-reference.md
1 # <a id="language-reference"></a> Language Reference
2
3 ## <a id="object-definition"></a> Object Definition
4
5 Icinga 2 features an object-based configuration format. You can define new
6 objects using the `object` keyword:
7
8     object Host "host1.example.org" {
9       display_name = "host1"
10
11       address = "192.168.0.1"
12       address6 = "::1"
13     }
14
15 In general you need to write each statement on a new line. Expressions started
16 with `{`, `(` and `[` extend until the matching closing character and can be broken
17 up into multiple lines.
18
19 Alternatively you can write multiple statements on a single line by separating
20 them with a semicolon:
21
22     object Host "host1.example.org" {
23       display_name = "host1"
24
25       address = "192.168.0.1"; address6 = "::1"
26     }
27
28 Each object is uniquely identified by its type (`Host`) and name
29 (`host1.example.org`). Some types have composite names, e.g. the
30 `Service` type which uses the `host_name` attribute and the name
31 you specified to generate its object name.
32
33 Exclamation marks (!) are not permitted in object names.
34
35 Objects can contain a comma-separated list of property
36 declarations. Instead of commas semicolons may also be used.
37 The following data types are available for property values:
38
39 All objects have at least the following attributes:
40
41 Attribute            | Description
42 ---------------------|-----------------------------
43 name                 | The name of the object. This attribute can be modified in the object definition to override the name specified with the `object` directive.
44 type                 | The type of the object.
45
46 ## <a id="expressions"></a> Expressions
47
48 The following expressions can be used on the right-hand side of assignments.
49
50 ### <a id="numeric-literals"></a> Numeric Literals
51
52 A floating-point number.
53
54 Example:
55
56     27.3
57
58 ### <a id="duration-literals"></a> Duration Literals
59
60 Similar to floating-point numbers except for the fact that they support
61 suffixes to help with specifying time durations.
62
63 Example:
64
65     2.5m
66
67 Supported suffixes include ms (milliseconds), s (seconds), m (minutes),
68 h (hours) and d (days).
69
70 Duration literals are converted to seconds by the config parser and
71 are treated like numeric literals.
72
73 ### <a id="string-literals"></a> String Literals
74
75 A string.
76
77 Example:
78
79     "Hello World!"
80
81 Certain characters need to be escaped. The following escape sequences
82 are supported:
83
84 Character                 | Escape sequence
85 --------------------------|------------------------------------
86 "                         | \\"
87 \\                        | \\\\
88 &lt;TAB&gt;               | \\t
89 &lt;CARRIAGE-RETURN&gt;   | \\r
90 &lt;LINE-FEED&gt;         | \\n
91 &lt;BEL&gt;               | \\b
92 &lt;FORM-FEED&gt;         | \\f
93
94 In addition to these pre-defined escape sequences you can specify
95 arbitrary ASCII characters using the backslash character (\\) followed
96 by an ASCII character in octal encoding.
97
98 ### <a id="multiline-string-literals"></a> Multi-line String Literals
99
100 Strings spanning multiple lines can be specified by enclosing them in
101 {{{ and }}}.
102
103 Example:
104
105     {{{This
106     is
107     a multi-line
108     string.}}}
109
110 Unlike in ordinary strings special characters do not have to be escaped
111 in multi-line string literals.
112
113 ### <a id="boolean-literals"></a> Boolean Literals
114
115 The keywords `true` and `false` are used to denote truth values.
116
117 ### <a id="null-value"></a> Null Value
118
119 The `null` keyword can be used to specify an empty value.
120
121 ### <a id="dictionary"></a> Dictionary
122
123 An unordered list of key-value pairs. Keys must be unique and are
124 compared in a case-sensitive manner.
125
126 Individual key-value pairs must either be comma-separated or on separate lines.
127 The comma after the last key-value pair is optional.
128
129 Example:
130
131     {
132       address = "192.168.0.1"
133       port = 443
134     }
135
136 Identifiers may not contain certain characters (e.g. space) or start
137 with certain characters (e.g. digits). If you want to use a dictionary
138 key that is not a valid identifier, you can enclose the key in double
139 quotes.
140
141 ### <a id="array"></a> Array
142
143 An ordered list of values.
144
145 Individual array elements must be comma-separated.
146 The comma after the last element is optional.
147
148 Example:
149
150     [ "hello", 42 ]
151
152 An array may simultaneously contain values of different types, such as
153 strings and numbers.
154
155 ### <a id="expression-operators"></a> Operators
156
157 The following operators are supported in expressions. The operators are by descending precedence.
158
159 Operator | Precedence | Examples (Result)                             | Description
160 ---------|------------|-----------------------------------------------|--------------------------------
161 ()       | 1          | (3 + 3) * 5                                   | Groups sub-expressions
162 ()       | 1          | Math.random()                                 | Calls a function
163 []       | 1          | a[3]                                          | Array subscript
164 .        | 1          | a.b                                           | Element access
165 !        | 2          | !"Hello" (false), !false (true)               | Logical negation of the operand
166 ~        | 2          | ~true (false)                                 | Bitwise negation of the operand
167 +        | 2          | +3                                            | Unary plus
168 -        | 2          | -3                                            | Unary minus
169 *        | 3          | 5m * 10 (3000)                                | Multiplies two numbers
170 /        | 3          | 5m / 5 (60)                                   | Divides two numbers
171 %        | 3          | 17 % 12 (5)                                   | Remainder after division
172 +        | 4          | 1 + 3 (4), "hello " + "world" ("hello world") | Adds two numbers; concatenates strings
173 -        | 4          | 3 - 1 (2)                                     | Subtracts two numbers
174 <<       | 5          | 4 << 8 (1024)                                 | Left shift
175 >>       | 5          | 1024 >> 4 (64)                                | Right shift
176 <        | 6         | 3 < 5 (true)                                  | Less than
177 >        | 6         | 3 > 5 (false)                                 | Greater than
178 <=       | 6         | 3 <= 3 (true)                                 | Less than or equal
179 >=       | 6         | 3 >= 3 (true)                                 | Greater than or equal
180 in       | 7          | "foo" in [ "foo", "bar" ] (true)              | Element contained in array
181 !in      | 7          | "foo" !in [ "bar", "baz" ] (true)             | Element not contained in array
182 ==       | 8         | "hello" == "hello" (true), 3 == 5 (false)     | Equal to
183 !=       | 8         | "hello" != "world" (true), 3 != 3 (false)     | Not equal to
184 &        | 9          | 7 & 3 (3)                                     | Binary AND
185 ^        | 10          | 17 ^ 12 (29)                                  | Bitwise XOR
186 &#124;   | 11          | 2 &#124; 3 (3)                                | Binary OR
187 &&       | 13         | true && false (false), 3 && 7 (7), 0 && 7 (0) | Logical AND
188 &#124;&#124; | 14     | true &#124;&#124; false (true), 0 &#124;&#124; 7 (7)| Logical OR
189 =        | 12         | a = 3                                         | Assignment
190 =>       | 15         | x => x * x (function with arg x)              | Lambda, for loop
191
192 ### <a id="function-calls"></a> Function Calls
193
194 Functions can be called using the `()` operator:
195
196     const MyGroups = [ "test1", "test" ]
197
198     {
199       check_interval = len(MyGroups) * 1m
200     }
201
202 A list of available functions is available in the [Library Reference](18-library-reference.md#library-reference) chapter.
203
204 ## <a id="dictionary-operators"></a> Assignments
205
206 In addition to the `=` operator shown above a number of other operators
207 to manipulate attributes are supported. Here's a list of all
208 available operators:
209
210 ### <a id="operator-assignment"></a> Operator =
211
212 Sets an attribute to the specified value.
213
214 Example:
215
216     {
217       a = 5
218       a = 7
219     }
220
221 In this example `a` has the value `7` after both instructions are executed.
222
223 ### <a id="operator-additive-assignment"></a> Operator +=
224
225 The += operator is a shortcut. The following expression:
226
227     {
228       a = [ "hello" ]
229       a += [ "world" ]
230     }
231
232 is equivalent to:
233
234     {
235       a = [ "hello" ]
236       a = a + [ "world" ]
237     }
238
239 ### <a id="operator-substractive-assignment"></a> Operator -=
240
241 The -= operator is a shortcut. The following expression:
242
243     {
244       a = 10
245       a -= 5
246     }
247
248 is equivalent to:
249
250     {
251       a = 10
252       a = a - 5
253     }
254
255 ### <a id="operator-multiply-assignment"></a> Operator \*=
256
257 The *= operator is a shortcut. The following expression:
258
259     {
260       a = 60
261       a *= 5
262     }
263
264 is equivalent to:
265
266     {
267       a = 60
268       a = a * 5
269     }
270
271 ### <a id="operator-dividing-assignment"></a> Operator /=
272
273 The /= operator is a shortcut. The following expression:
274
275     {
276       a = 300
277       a /= 5
278     }
279
280 is equivalent to:
281
282     {
283       a = 300
284       a = a / 5
285     }
286
287 ## <a id="indexer"></a> Indexer
288
289 The indexer syntax provides a convenient way to set dictionary elements.
290
291 Example:
292
293     {
294       hello.key = "world"
295     }
296
297 Example (alternative syntax):
298
299     {
300       hello["key"] = "world"
301     }
302
303 This is equivalent to writing:
304
305     {
306       hello += {
307         key = "world"
308       }
309     }
310
311 If the `hello` attribute does not already have a value, it is automatically initialized to an empty dictionary.
312
313 ## <a id="template-imports"></a> Template Imports
314
315 Objects can import attributes from other objects.
316
317 Example:
318
319     template Host "default-host" {
320       vars.colour = "red"
321     }
322
323     template Host "test-host" {
324       import "default-host"
325
326       vars.colour = "blue"
327     }
328
329     object Host "localhost" {
330       import "test-host"
331
332       address = "127.0.0.1"
333       address6 = "::1"
334     }
335
336 The `default-host` and `test-host` objects are marked as templates
337 using the `template` keyword. Unlike ordinary objects templates are not
338 instantiated at run-time. Parent objects do not necessarily have to be
339 templates, however in general they are.
340
341 The `vars` dictionary for the `localhost` object contains all three
342 custom attributes and the custom attribute `colour` has the value `"blue"`.
343
344 Parent objects are resolved in the order they're specified using the
345 `import` keyword.
346
347 ## <a id="constants"></a> Constants
348
349 Global constants can be set using the `const` keyword:
350
351     const VarName = "some value"
352
353 Once defined a constant can be accessed from any file. Constants cannot be changed
354 once they are set.
355
356 Icinga 2 provides a number of special global constants. Some of them can be overridden using the `--define` command line parameter:
357
358 Variable            |Description
359 --------------------|-------------------
360 PrefixDir           |**Read-only.** Contains the installation prefix that was specified with cmake -DCMAKE_INSTALL_PREFIX. Defaults to "/usr/local".
361 SysconfDir          |**Read-only.** Contains the path of the sysconf directory. Defaults to PrefixDir + "/etc".
362 ZonesDir            |**Read-only.** Contains the path of the zones.d directory. Defaults to SysconfDir + "/zones.d".
363 LocalStateDir       |**Read-only.** Contains the path of the local state directory. Defaults to PrefixDir + "/var".
364 RunDir              |**Read-only.** Contains the path of the run directory. Defaults to LocalStateDir + "/run".
365 PkgDataDir          |**Read-only.** Contains the path of the package data directory. Defaults to PrefixDir + "/share/icinga2".
366 StatePath           |**Read-write.** Contains the path of the Icinga 2 state file. Defaults to LocalStateDir + "/lib/icinga2/icinga2.state".
367 ObjectsPath         |**Read-write.** Contains the path of the Icinga 2 objects file. Defaults to LocalStateDir + "/cache/icinga2/icinga2.debug".
368 PidPath             |**Read-write.** Contains the path of the Icinga 2 PID file. Defaults to RunDir + "/icinga2/icinga2.pid".
369 Vars                |**Read-write.** Contains a dictionary with global custom attributes. Not set by default.
370 NodeName            |**Read-write.** Contains the cluster node name. Set to the local hostname by default.
371 UseVfork            |**Read-write.** Whether to use vfork(). Only available on *NIX. Defaults to true.
372 EventEngine         |**Read-write.** The name of the socket event engine, can be "poll" or "epoll". The epoll interface is only supported on Linux.
373 AttachDebugger      |**Read-write.** Whether to attach a debugger when Icinga 2 crashes. Defaults to false.
374 RunAsUser           |**Read-write.** Defines the user the Icinga 2 daemon is running as. Used in the `init.conf` configuration file.
375 RunAsGroup          |**Read-write.** Defines the group the Icinga 2 daemon is running as. Used in the `init.conf` configuration file.
376 PlatformName        |**Read-only.** The name of the operating system, e.g. "Ubuntu".
377 PlatformVersion     |**Read-only.** The version of the operating system, e.g. "14.04.3 LTS".
378 PlatformKernel      |**Read-only.** The name of the operating system kernel, e.g. "Linux".
379 PlatformKernelVersion|**Read-only.** The version of the operating system kernel, e.g. "3.13.0-63-generic".
380 BuildCompilerName   |**Read-only.** The name of the compiler Icinga was built with, e.g. "Clang".
381 BuildCompilerVersion|**Read-only.** The version of the compiler Icinga was built with, e.g. "7.3.0.7030031".
382 BuildHostName       |**Read-only.** The name of the host Icinga was built on, e.g. "acheron".
383
384 ## <a id="apply"></a> Apply
385
386 The `apply` keyword can be used to create new objects which are associated with
387 another group of objects.
388
389     apply Service "ping" to Host {
390       import "generic-service"
391
392       check_command = "ping4"
393
394       assign where host.name == "localhost"
395     }
396
397 In this example the `assign where` condition is a boolean expression which is
398 evaluated for all objects of type `Host` and a new service with name "ping"
399 is created for each matching host. [Expression operators](17-language-reference.md#expression-operators)
400 may be used in `assign where` conditions.
401
402 The `to` keyword and the target type may be omitted if there is only one target
403 type, e.g. for the `Service` type.
404
405 Depending on the object type used in the `apply` expression additional local
406 variables may be available for use in the `where` condition:
407
408 Source Type       | Target Type | Variables
409 ------------------|-------------|--------------
410 Service           | Host        | host
411 Dependency        | Host        | host
412 Dependency        | Service     | host, service
413 Notification      | Host        | host
414 Notification      | Service     | host, service
415 ScheduledDowntime | Host        | host
416 ScheduledDowntime | Service     | host, service
417
418 Any valid config attribute can be accessed using the `host` and `service`
419 variables. For example, `host.address` would return the value of the host's
420 "address" attribute -- or null if that attribute isn't set.
421
422 More usage examples are documented in the [monitoring basics](3-monitoring-basics.md#using-apply-expressions)
423 chapter.
424
425 ## <a id="apply-for"></a> Apply For
426
427 [Apply](17-language-reference.md#apply) rules can be extended with the
428 [for loop](17-language-reference.md#for-loops) keyword.
429
430     apply Service "prefix-" for (key => value in host.vars.dictionary) to Host {
431       import "generic-service"
432
433       check_command = "ping4"
434       vars.host_value = value
435     }
436
437
438 Any valid config attribute can be accessed using the `host` and `service`
439 variables. The attribute must be of the Array or Dictionary type. In this example
440 `host.vars.dictionary` is of the Dictionary type which needs a key-value-pair
441 as iterator.
442
443 In this example all generated service object names consist of `prefix-` and
444 the value of the `key` iterator. The prefix string can be omitted if not required.
445
446 The `key` and `value` variables can be used for object attribute assignment, e.g. for
447 setting the `check_command` attribute or custom attributes as command parameters.
448
449 `apply for` rules are first evaluated against all objects matching the `for loop` list
450 and afterwards the `assign where` and `ignore where` conditions are evaluated.
451
452 It is not necessary to check attributes referenced in the `for loop` expression
453 for their existance using an additional `assign where` condition.
454
455 More usage examples are documented in the [monitoring basics](3-monitoring-basics.md#using-apply-for)
456 chapter.
457
458 ## <a id="group-assign"></a> Group Assign
459
460 Group objects can be assigned to specific member objects using the `assign where`
461 and `ignore where` conditions.
462
463     object HostGroup "linux-servers" {
464       display_name = "Linux Servers"
465
466       assign where host.vars.os == "Linux"
467     }
468
469 In this example the `assign where` condition is a boolean expression which is evaluated
470 for all objects of the type `Host`. Each matching host is added as member to the host group
471 with the name "linux-servers". Membership exclusion can be controlled using the `ignore where`
472 condition. [Expression operators](17-language-reference.md#expression-operators) may be used in `assign where` and
473 `ignore where` conditions.
474
475 Source Type       | Variables
476 ------------------|--------------
477 HostGroup         | host
478 ServiceGroup      | host, service
479 UserGroup         | user
480
481
482 ## <a id="boolean-values"></a> Boolean Values
483
484 The `assign where`, `ignore where`, `if` and `while`  statements, the `!` operator as
485 well as the `bool()` function convert their arguments to a boolean value based on the
486 following rules:
487
488 Description          | Example Value     | Boolean Value
489 ---------------------|-------------------|--------------
490 Empty value          | null              | false
491 Zero                 | 0                 | false
492 Non-zero integer     | -23945            | true
493 Empty string         | ""                | false
494 Non-empty string     | "Hello"           | true
495 Empty array          | []                | false
496 Non-empty array      | [ "Hello" ]       | true
497 Empty dictionary     | {}                | false
498 Non-empty dictionary | { key = "value" } | true
499
500 For a list of supported expression operators for `assign where` and `ignore where`
501 statements, see [expression operators](17-language-reference.md#expression-operators).
502
503 ## <a id="comments"></a> Comments
504
505 The Icinga 2 configuration format supports C/C++-style and shell-style comments.
506
507 Example:
508
509     /*
510      This is a comment.
511      */
512     object Host "localhost" {
513       check_interval = 30 // this is also a comment.
514       retry_interval = 15 # yet another comment
515     }
516
517 ## <a id="includes"></a> Includes
518
519 Other configuration files can be included using the `include` directive.
520 Paths must be relative to the configuration file that contains the
521 `include` directive.
522
523 Example:
524
525     include "some/other/file.conf"
526     include "conf.d/*.conf"
527
528 Wildcard includes are not recursive.
529
530 Icinga also supports include search paths similar to how they work in a
531 C/C++ compiler:
532
533     include <itl>
534
535 Note the use of angle brackets instead of double quotes. This causes the
536 config compiler to search the include search paths for the specified
537 file. By default $PREFIX/share/icinga2/include is included in the list of search
538 paths. Additional include search paths can be added using
539 [command-line options](11-cli-commands.md#config-include-path).
540
541 Wildcards are not permitted when using angle brackets.
542
543 ## <a id="recursive-includes"></a> Recursive Includes
544
545 The `include_recursive` directive can be used to recursively include all
546 files in a directory which match a certain pattern.
547
548 Example:
549
550     include_recursive "conf.d", "*.conf"
551     include_recursive "templates"
552
553 The first parameter specifies the directory from which files should be
554 recursively included.
555
556 The file names need to match the pattern given in the second parameter.
557 When no pattern is specified the default pattern "*.conf" is used.
558
559 ## <a id="zone-includes"></a> Zone Includes
560
561 The `include_zones` recursively includes all subdirectories for the
562 given path.
563
564 In addition to that it sets the `zone` attribute for all objects created
565 in these subdirectories to the name of the subdirectory.
566
567 Example:
568
569     include_zones "etc", "zones.d", "*.conf"
570     include_zones "puppet", "puppet-zones"
571
572 The first parameter specifies a tag name for this directive. Each `include_zones`
573 invocation should use a unique tag name. When copying the zones' configuration
574 files Icinga uses the tag name as the name for the destination directory in
575 `/var/lib/icinga2/api/config`.
576
577 The second parameter specifies the directory which contains the subdirectories.
578
579 The file names need to match the pattern given in the third parameter.
580 When no pattern is specified the default pattern "*.conf" is used.
581
582 ## <a id="library"></a> Library directive
583
584 The `library` directive can be used to manually load additional
585 libraries. Libraries can be used to provide additional object types and
586 functions.
587
588 Example:
589
590     library "snmphelper"
591
592 ## <a id="functions"></a> Functions
593
594 Functions can be defined using the `function` keyword.
595
596 Example:
597
598     function multiply(a, b) {
599       return a * b
600     }
601
602 When encountering the `return` keyword further execution of the function is terminated and
603 the specified value is supplied to the caller of the function:
604
605     log(multiply(3, 5))
606
607 In this example the `multiply` function we declared earlier is invoked with two arguments (3 and 5).
608 The function computes the product of those arguments and makes the result available to the
609 function's caller.
610
611 When no value is supplied for the `return` statement the function returns `null`.
612
613 Functions which do not have a `return` statement have their return value set to the value of the
614 last expression which was performed by the function. For example, we could have also written our
615 `multiply` function like this:
616
617     function multiply(a, b) {
618       a * b
619     }
620
621 Anonymous functions can be created by omitting the name in the function definition. The
622 resulting function object can be used like any other value:
623
624     var fn = function() { 3 }
625
626     fn() /* Returns 3 */
627
628 ## <a id="lambdas"></a> Lambda Expressions
629
630 Functions can also be declared using the alternative lambda syntax.
631
632 Example:
633
634     f = (x) => x * x
635
636 Multiple statements can be used by putting the function body into braces:
637
638     f = (x) => {
639       log("Lambda called")
640       x * x
641     }
642
643 Just like with ordinary functions the return value is the value of the last statement.
644
645 For lambdas which take exactly one argument the braces around the arguments can be omitted:
646
647     f = x => x * x
648
649 ## <a id="nullary-lambdas"></a> Abbreviated Lambda Syntax
650
651 Lambdas which take no arguments can also be written using the abbreviated lambda syntax.
652
653 Example:
654
655     f = {{ 3 }}
656
657 This creates a new function which returns the value 3.
658
659 ## <a id="variable-scopes"></a> Variable Scopes
660
661 When setting a variable Icinga checks the following scopes in this order whether the variable
662 already exists there:
663
664 * Local Scope
665 * `this` Scope
666 * Global Scope
667
668 The local scope contains variables which only exist during the invocation of the current function,
669 object or apply statement. Local variables can be declared using the `var` keyword:
670
671     function multiply(a, b) {
672       var temp = a * b
673       return temp
674     }
675
676 Each time the `multiply` function is invoked a new `temp` variable is used which is in no way
677 related to previous invocations of the function.
678
679 When setting a variable which has not previously been declared as local using the `var` keyword
680 the `this` scope is used.
681
682 The `this` scope refers to the current object which the function or object/apply statement
683 operates on.
684
685     object Host "localhost" {
686       check_interval = 5m
687     }
688
689 In this example the `this` scope refers to the "localhost" object. The `check_interval` attribute
690 is set for this particular host.
691
692 You can explicitly access the `this` scope using the `this` keyword:
693
694     object Host "localhost" {
695       var check_interval = 5m
696   
697       /* This explicitly specifies that the attribute should be set
698        * for the host, if we had omitted `this.` the (poorly named)
699        * local variable `check_interval` would have been modified instead.
700        */
701       this.check_interval = 1m 
702   }
703
704 Similarly the keywords `locals` and `globals` are available to access the local and global scope.
705
706 Functions also have a `this` scope. However unlike for object/apply statements the `this` scope for
707 a function is set to whichever object was used to invoke the function. Here's an example:
708
709      hm = {
710        h_word = null
711  
712        function init(word) {
713          h_word = word
714        }
715      }
716
717      /* Let's invoke the init() function */
718      hm.init("hello")
719
720 We're using `hm.init` to invoke the function which causes the value of `hm` to become the `this`
721 scope for this function call.
722
723 ## <a id="closures"></a> Closures
724
725 By default `function`s, `object`s and `apply` rules do not have access to variables declared
726 outside of their scope (except for global variables).
727
728 In order to access variables which are defined in the outer scope the `use` keyword can be used:
729
730     function MakeHelloFunction(name) {
731       return function() use(name) {
732         log("Hello, " + name)
733       }
734     }
735
736 In this case a new variable `name` is created inside the inner function's scope which has the
737 value of the `name` function argument.
738
739 Alternatively a different value for the inner variable can be specified:
740
741     function MakeHelloFunction(name) {
742       return function() use (greeting = "Hello, " + name) {
743         log(greeting)
744       }
745     }
746
747 ## <a id="conditional-statements"></a> Conditional Statements
748
749 Sometimes it can be desirable to only evaluate statements when certain conditions are met. The if/else
750 construct can be used to accomplish this.
751
752 Example:
753
754     a = 3
755
756     if (a < 5) {
757       a *= 7
758     } else if (a > 10) {
759       a *= 5
760     } else {
761       a *= 2
762     }
763
764 An if/else construct can also be used in place of any other value. The value of an if/else statement
765 is the value of the last statement which was evaluated for the branch which was taken:
766
767     a = if (true) {
768       log("Taking the 'true' branch")
769       7 * 3
770     } else {
771       log("Taking the 'false' branch")
772       9
773     }
774
775 This example prints the log message "Taking the 'true' branch" and the `a` variable is set to 21 (7 * 3).
776
777 The value of an if/else construct is null if the condition evaluates to false and no else branch is given.
778
779 ## <a id="while-loops"></a> While Loops
780
781 The `while` statement checks a condition and executes the loop body when the condition evaluates to `true`.
782 This is repeated until the condition is no longer true.
783
784 Example:
785
786     var num = 5
787
788     while (num > 5) {
789         log("Test")
790         num -= 1
791     }
792
793 The `continue` and `break` keywords can be used to control how the loop is executed: The `continue` keyword
794 skips over the remaining expressions for the loop body and begins the next loop evaluation. The `break` keyword
795 breaks out of the loop.
796
797 ## <a id="for-loops"></a> For Loops
798
799 The `for` statement can be used to iterate over arrays and dictionaries.
800
801 Example:
802
803     var list = [ "a", "b", "c" ]
804
805     for (item in list) {
806       log("Item: " + item)
807     }
808
809 The loop body is evaluated once for each item in the array. The variable `item` is declared as a local
810 variable just as if the `var` keyword had been used.
811
812 Iterating over dictionaries can be accomplished in a similar manner:
813
814     var dict = { a = 3, b = 7 }
815
816     for (key => value in dict) {
817       log("Key: " + key + ", Value: " + value)
818     }
819
820 The `continue` and `break` keywords can be used to control how the loop is executed: The `continue` keyword
821 skips over the remaining expressions for the loop body and begins the next loop evaluation. The `break` keyword
822 breaks out of the loop.
823
824 ## <a id="constructor"></a> Constructors
825
826 In order to create a new value of a specific type constructor calls may be used.
827
828 Example:
829
830     var pd = PerfdataValue()
831     pd.label = "test"
832     pd.value = 10
833
834 You can also try to convert an existing value to another type by specifying it as an argument for the constructor call.
835
836 Example:
837
838     var s = String(3) /* Sets s to "3". */
839
840 ## <a id="throw"></a> Exceptions
841
842 Built-in commands may throw exceptions to signal errors such as invalid arguments. User scripts can throw exceptions
843 using the `throw` keyword.
844
845 Example:
846
847     throw "An error occurred."
848
849 There is currently no way for scripts to catch exceptions.
850
851 ## <a id="breakpoints"></a> Breakpoints
852
853 The `debugger` keyword can be used to insert a breakpoint. It may be used at any place where an assignment would also be a valid expression.
854
855 By default breakpoints have no effect unless Icinga is started with the `--script-debugger` command-line option. When the script debugger is enabled Icinga stops execution of the script when it encounters a breakpoint and spawns a console which lets the user inspect the current state of the execution environment.
856
857 ## <a id="types"></a> Types
858
859 All values have a static type. The `typeof` function can be used to determine the type of a value:
860
861     typeof(3) /* Returns an object which represents the type for numbers */
862
863 The following built-in types are available:
864
865 Type       | Examples          | Description
866 -----------|-------------------|------------------------
867 Number     | 3.7               | A numerical value.
868 Boolean    | true, false       | A boolean value.
869 String     | "hello"           | A string.
870 Array      | [ "a", "b" ]      | An array.
871 Dictionary | { a = 3 }         | A dictionary.
872
873 Depending on which libraries are loaded additional types may become available. The `icinga`
874 library implements a whole bunch of other [object types](9-object-types.md#object-types),
875 e.g. Host, Service, CheckCommand, etc.
876
877 Each type has an associated type object which describes the type's semantics. These
878 type objects are made available using global variables which match the type's name:
879
880     /* This logs 'true' */
881     log(typeof(3) == Number)
882
883 The type object's `prototype` property can be used to find out which methods a certain type
884 supports:
885
886     /* This returns: ["contains","find","len","lower","replace","reverse","split","substr","to_string","trim","upper"] */
887     keys(String.prototype)
888
889 Additional documentation on type methods is available in the
890 [library reference](18-library-reference.md#library-reference).
891
892 ## <a id="location-information"></a> Location Information
893
894 The location of the currently executing script can be obtained using the
895 `current_filename` and `current_line` keywords.
896
897 Example:
898
899     log("Hello from '" + current_filename + "' in line " + current_line)
900
901 ## <a id="reserved-keywords"></a> Reserved Keywords
902
903 These keywords are reserved and must not be used as constants or custom attributes.
904
905     object
906     template
907     include
908     include_recursive
909     ignore_on_error
910     library
911     null
912     true
913     false
914     const
915     var
916     this
917     use
918     apply
919     to
920     where
921     import
922     assign
923     ignore
924     function
925     return
926     for
927     if
928     else
929     in
930     current_filename
931     current_line
932
933 You can escape reserved keywords using the `@` character. The following example
934 tries to set `vars.include` which references a reserved keyword and generates
935 an error:
936
937     [2014-09-15 17:24:00 +0200] critical/config: Location:
938     /etc/icinga2/conf.d/hosts/localhost.conf(13):   vars.sla = "24x7"
939     /etc/icinga2/conf.d/hosts/localhost.conf(14):
940     /etc/icinga2/conf.d/hosts/localhost.conf(15):   vars.include = "some cmdb export field"
941                                                          ^^^^^^^
942     /etc/icinga2/conf.d/hosts/localhost.conf(16): }
943     /etc/icinga2/conf.d/hosts/localhost.conf(17):
944
945     Config error: in /etc/icinga2/conf.d/hosts/localhost.conf: 15:8-15:14: syntax error, unexpected include (T_INCLUDE), expecting T_IDENTIFIER
946     [2014-09-15 17:24:00 +0200] critical/config: 1 errors, 0 warnings.
947
948 You can escape the `include` keyword by prefixing it with an additional `@` character:
949
950     object Host "localhost" {
951       import "generic-host"
952
953       address = "127.0.0.1"
954       address6 = "::1"
955
956       vars.os = "Linux"
957       vars.sla = "24x7"
958
959       vars.@include = "some cmdb export field"
960     }
961