Modules: Difference between revisions

From Bohemia Interactive Community
Jump to navigation Jump to search
m (various asthetic changes)
m (Fix <syntaxhighlight></syntaxhighlight>)
(44 intermediate revisions by 3 users not shown)
Line 1: Line 1:
{{SideTOC}}
{{TOC|side}}
== Introduction ==
This page can be considered a hub when it comes to [[Modules]].
This page can be considered a hub when it comes to '''modules'''. Here you'll find everything you need to know when it comes to creating modules, available modules in {{arma3}} and existing module documentation.
Here you will find everything you need to know when it comes to creating modules, available modules in {{arma3}} and existing module documentation.
 
 
== General Information ==
 
* Modules are executed before initServer.sqf, initPlayerLocal.sqf and initPlayerServer.sqf (See [[Initialization Order]])
* Modules are very easy to set up, even for unexperienced users
* They can easily be used to create mission templates
 
 
== Create a Module by Script ==
 
A module can be created using [[createUnit]] (do '''not''' use [[createVehicle]] or [[createAgent]]). Same as normal units, a [[Group]] must be created first.<br>
Since {{GVI|arma3|1.86}} the variable [[BIS_fnc_initModules]]_disableAutoActivation must be set to [[false]] in its init to allow its init code to run.
 
'''Example:'''
<sqf>
private _moduleGroup = createGroup sideLogic;
"ModuleSmokeWhite_F" createUnit [
getPosATL player,
_moduleGroup,
"this setVariable ['BIS_fnc_initModules_disableAutoActivation', false, true];"
];
</sqf>




== Creating a Module ==
== Creating a Module ==
{{arma3}} introduces a module framework which aims to simplify the configuration of modules and the way their functions are executed (Globally,[[JIP]])


{{arma3}} introduces a module framework which aims to simplify the configuration of modules and the way their functions are executed (Globally,[[Multiplayer Scripting#Join In Progress|JIP]])


=== 1. Create a Module Addon ===
=== Create a Module Addon ===
* Make a folder named ''<span style="color:indigo">myTag</span>_addonName'' a create a ''config.cpp'' file in it.
 
* Make a folder named ''{{Color|purple|myTag}}_addonName'' a create a ''config.cpp'' file in it.
* Inside, declare a CfgPatches class with your addon and its modules (in the ''units'' array). Without this, the game wouldn't recognize the addon.
* Inside, declare a CfgPatches class with your addon and its modules (in the ''units'' array). Without this, the game wouldn't recognize the addon.
* Make sure the addon and all objects start with your tag, e.g. <span style="color:indigo">myTag</span>
* Make sure the addon and all objects start with your tag, e.g. {{Color|purple|myTag}}.
'''Example'''
'''Example'''
  class CfgPatches
  class CfgPatches
  {
  {
  class <span style="color:indigo">myTag</span>_addonName
  class {{Color|purple|myTag}}_addonName
  {
  {
  units[] = {"<span style="color:indigo">myTag</span>_<span style="color:green">Module</span><span style="color:orangered;">Nuke</span>"};
  units[] = {"{{Color|purple|myTag}}_{{Color|green|Module}}{{Color|orangered|Nuke}}"};
  requiredVersion = 1.0;
  requiredVersion = 1.0;
  requiredAddons[] = {"A3_Modules_F"};
  requiredAddons[] = {"A3_Modules_F"};
Line 23: Line 47:
  };
  };


=== Module Category ===


=== 2. Module Category ===
* Modules are placed into basic categories which makes finding a desired module easier.
* Modules are placed into basic categories which makes finding a desired module easier for an user. Use can use on of the existing categories ''(See table to the right)'' or create your own category ''(See example below)''
You can use on of the existing categories ''(See table to the right)'' or create your own category ''(See example below)''.
{| class="wikitable" style="float: right; margin: 0 0 0 2.2em; max-width: 50%;"
 
{| class="wikitable" style="float: right; margin: 0 0 0.5em 1.5em; max-width: 50%"
! class
! class
! displayName
! displayName
Line 63: Line 89:
| Supports
| Supports
|}
|}
'''Example'''<br>
'''Example'''
  class CfgFactionClasses
  class CfgFactionClasses
  {
  {
  class NO_CATEGORY;
  class NO_CATEGORY;
  class <span style="color:indigo">myTag</span>_<span style="color:teal">explosions</span>: NO_CATEGORY
  class {{Color|purple|myTag}}_{{Color|teal|explosions}}: NO_CATEGORY
  {
  {
  displayName = "Explosions";
  displayName = "Explosions";
Line 73: Line 99:
  };
  };


=== Creating the Module Config ===


=== 3. Creating the Module Config ===
* All in-game objects (soldiers, vehicles, buildings, logics, modules, ...) are defined in ''CfgVehicles'' class.
* All in-game objects (soldiers, vehicles, buildings, logics, modules, ...) are defined in ''CfgVehicles'' class.
* '''All modules must inherit from Module_F''' parent class, either directly or through some additional sub-parent.
* '''All modules must inherit from Module_F''' parent class, either directly or through some additional sub-parent.
* Modules functions are by default '''not''' executed when in [[Eden Editor]] workspace. It can be enabled using '''is3DEN''' property, but that will also change format of function params.
* Modules functions are by default '''not''' executed when in [[Eden Editor]] workspace. It can be enabled using '''is3DEN''' property, but that will also change format of function params.


'''Example'''<br>
'''Example:'''
<spoiler> class CfgVehicles
<syntaxhighlight lang="cpp"></syntaxhighlight>
{
<spoiler>
class Logic;
<syntaxhighlight lang="cpp">
class Module_F: Logic
class CfgVehicles
{
{
class AttributesBase
class Logic;
{
class Module_F: Logic
class Default;
{
class Edit; {{codecomment|// Default edit box (i.e., text input field)}}
class AttributesBase
class Combo; {{codecomment|// Default combo box (i.e., drop-down menu)}}
{
class Checkbox; {{codecomment|// Default checkbox (returned value is [[Bool]])}}
class Default;
class CheckboxNumber; {{codecomment|// Default checkbox (returned value is [[Number]])}}
class Edit; // Default edit box (i.e. text input field)
class ModuleDescription; {{codecomment|// Module description}}
class Combo; // Default combo box (i.e. drop-down menu)
class Units; {{codecomment|// Selection of units on which the module is applied}}
class Checkbox; // Default checkbox (returned value is Boolean)
};
class CheckboxNumber; // Default checkbox (returned value is Number)
{{codecomment|// Description base classes, for more information see below}}
class ModuleDescription; // Module description
class ModuleDescription
class Units; // Selection of units on which the module is applied
{
};
class AnyBrain;
 
};
// Description base classes (for more information see below):
};
class ModuleDescription
class <span style="color:indigo">myTag</span>_<span style="color:green">Module</span><span style="color:orangered;">Nuke</span>: Module_F
{
{
class AnyBrain;
{{codecomment|// Standard object definitions}}
};
scope = 2; {{codecomment|// Editor visibility; 2 will show it in the menu, 1 will hide it.}}
};
displayName = "Nuclear Explosion"; {{codecomment|// Name displayed in the menu}}
 
icon = "\<span style="color:indigo">myTag</span>_addonName\data\icon<span style="color:orangered;">Nuke</span>_ca.paa"; {{codecomment|// Map icon. Delete this entry to use the default icon}}
class TAG_Module_Nuke: Module_F
category = "<span style="color:teal">Effects</span>";
{
// Standard object definitions:
{{codecomment|// Name of function triggered once conditions are met}}
scope = 2; // Editor visibility; 2 will show it in the menu, 1 will hide it.
function = "<span style="color:indigo">myTag</span>_fnc_module<span style="color:orangered;">Nuke</span>";
displayName = "Nuclear Explosion"; // Name displayed in the menu
{{codecomment|// Execution priority, modules with lower number are executed first. 0 is used when the attribute is undefined}}
icon = "\TAG_addonName\data\icon_Nuke_ca.paa"; // Map icon. Delete this entry to use the default icon.
functionPriority = 1;
category = "Effects";
{{codecomment|// 0 for server only execution, 1 for global execution, 2 for persistent global execution}}
 
isGlobal = 1;
function = "TAG_fnc_moduleNuke"; // Name of function triggered once conditions are met
{{codecomment|// 1 for module waiting until all synced triggers are activated}}
functionPriority = 1; // Execution priority, modules with lower number are executed first. 0 is used when the attribute is undefined
isTriggerActivated = 1;
isGlobal = 1; // 0 for server only execution, 1 for global execution, 2 for persistent global execution
{{codecomment|// 1 if modules is to be disabled once it's activated (i.e., repeated trigger activation won't work)}}
isTriggerActivated = 1; // 1 for module waiting until all synced triggers are activated
isDisposable = 1;
isDisposable = 1; // 1 if modules is to be disabled once it is activated (i.e. repeated trigger activation won't work)
{{codecomment|// // 1 to run init function in [[Eden Editor]] as well}}
is3DEN = 1; // 1 to run init function in Eden Editor as well
is3DEN = 1;
curatorInfoType = "RscDisplayAttributeModuleNuke"; // Menu displayed when the module is placed or double-clicked on by Zeus
 
{{codecomment|// Menu displayed when the module is placed or double-clicked on by Zeus}}
// Module attributes (uses https://community.bistudio.com/wiki/Eden_Editor:_Configuring_Attributes#Entity_Specific):
curatorInfoType = "RscDisplayAttribute<span style="color:green">Module</span><span style="color:orangered;">Nuke</span>";
class Attributes: AttributesBase
{
{{codecomment|// Module attributes, uses https://community.bistudio.com/wiki/Eden_Editor:_Configuring_Attributes#Entity_Specific}}
// Arguments shared by specific module type (have to be mentioned in order to be present):
class Attributes: AttributesBase
class Units: Units
{
{
{{codecomment|// Arguments shared by specific module type (have to be mentioned in order to be present)}}
property = "TAG_Module_Nuke_Units";
class Units: Units
};
{
 
property = "<span style="color:indigo">myTag</span>_<span style="color:green">Module</span><span style="color:orangered;">Nuke</span>_Units";
// Module-specific arguments:
};
class Yield: Combo
{{codecomment|// Module specific arguments}}
{
class Yield: Combo
property = "TAG_Module_Nuke_Yield"; // Unique property (use "<tag>_<moduleClass>_<attributeClass>" format to ensure that the name is unique)
  {
displayName = "Nuclear weapon yield"; // Argument label
{{codecomment|// Unique property, use "<moduleClass>_<attributeClass>" format to make sure the name is unique in the world}}
tooltip = "How strong will the explosion be"; // Tooltip description
property = "<span style="color:indigo">myTag</span>_<span style="color:green">Module</span><span style="color:orangered;">Nuke</span>_Yield";
typeName = "NUMBER"; // Value type, can be "NUMBER", "STRING" or "BOOL"
displayName = "Nuclear weapon yield"; {{codecomment|// Argument label}}
defaultValue = "50"; // Default attribute value. Warning: This is an expression, and its returned value will be used (50 in this case).
tooltip = "How strong will the explosion be"; {{codecomment|// Tooltip description}}
 
typeName = "NUMBER"; {{codecomment|// Value type, can be "NUMBER", "STRING" or "BOOL"}}
// Listbox items:
defaultValue = "50"; {{codecomment|// Default attribute value. WARNING: This is an expression, and its returned value will be used (50 in this case)}}
class Values
class Values
{
{
class 50Mt { name = "50 megatons"; value = 50; };
class 50Mt {name = "50 megatons"; value = 50;}; {{codecomment|// Listbox item}}
class 100Mt { name = "100 megatons"; value = 100; };
class 100Mt {name = "100 megatons"; value = 100;};
};
};
};
};
 
class Name: Edit
class Name: Edit
  {
{
displayName = "Name";
displayName = "Name";
tooltip = "Name of the nuclear device";
tooltip = "Name of the nuclear device";
{{codecomment|// Default text filled in the input box}}
// Default text for the input box:
{{codecomment|// Because it's an expression, to return a [[String]] one must have a string within a string}}
defaultValue = """Tsar Bomba"""; // Because this is an expression, one must have a string within a string to return a string
defaultValue = """Tsar Bomba""";
};
};
 
class ModuleDescription: ModuleDescription{}; {{codecomment|// Module description should be shown last}}
class ModuleDescription: ModuleDescription{}; // Module description should be shown last
};
};
 
{{codecomment|// Module description. Must inherit from base class, otherwise pre-defined entities won't be available}}
// Module description (must inherit from base class, otherwise pre-defined entities won't be available):
class ModuleDescription: ModuleDescription
class ModuleDescription: ModuleDescription
{
{
description = "Short module description"; {{codecomment|// Short description, will be formatted as structured text}}
description = "Short module description"; // Short description, will be formatted as structured text
sync[] = {"LocationArea_F"}; {{codecomment|// Array of synced entities (can contain base classes)}}
sync[] = {"LocationArea_F"}; // Array of synced entities (can contain base classes)
 
class LocationArea_F
class LocationArea_F
{
{
description[] = { {{codecomment|// Multi-line descriptions are supported}}
description[] = { // Multi-line descriptions are supported
"First line",
"First line",
"Second line"
"Second line"
};
};
position = 1; {{codecomment|// Position is taken into effect}}
position = 1; // Position is taken into effect
direction = 1; {{codecomment|// Direction is taken into effect}}
direction = 1; // Direction is taken into effect
optional = 1; {{codecomment|// Synced entity is optional}}
optional = 1; // Synced entity is optional
duplicate = 1; {{codecomment|// Multiple entities of this type can be synced}}
duplicate = 1; // Multiple entities of this type can be synced
synced[] = {"BLUFORunit","AnyBrain"}; {{codecomment|// Pre-define entities like "AnyBrain" can be used. See the list below}}
synced[] = {"BluforUnit", "AnyBrain"}; // Pre-defined entities like "AnyBrain" can be used (see the table below)
};
};
class BLUFORunit
 
{
class BluforUnit
description = "Short description";
{
displayName = "Any BLUFOR unit"; {{codecomment|// Custom name}}
description = "Short description";
icon = "iconMan"; {{codecomment|// Custom icon (can be file path or CfgVehicleIcons entry)}}
displayName = "Any BLUFOR unit"; // Custom name
side = 1; {{codecomment|// Custom side (will determine icon color)}}
icon = "iconMan"; // Custom icon (can be file path or CfgVehicleIcons entry)
};
side = 1; // Custom side (determines icon color)
};
};
};
};
};</spoiler>
};
};
</syntaxhighlight>
</spoiler>


[[File:A3 modules info.jpg|230px|thumb|[[2D Editor]]: The description is available after clicking on "Show Info" button when editing the module]]
[[File:A3 modules info.jpg|230px|thumb|[[2D Editor]]: The description is available after clicking on "Show Info" button when editing the module]]
[[File:A3 3den ModuleDescription.jpg|thumb|230px|[[Eden Editor]]: The description is available after opening the modules' attributes window]]
[[File:A3 3den ModuleDescription.jpg|thumb|230px|[[Eden Editor]]: The description is available after opening the modules' attributes window]]


* Pre-defined sync preview entities can be:
Pre-defined sync preview entities can be:
{| class="wikitable"
{| class="wikitable"
! Class
! Class
Line 197: Line 226:
|-
|-
| ''Anything''
| ''Anything''
| Any object - persons, vehicles, static objects, etc.
| Any object - persons, vehicles, static objects, etc.
|-
|-
| ''AnyPerson''
| ''AnyPerson''
| Any person. Not vehicles or static objects.
| Any person. Not vehicles or static objects.
|-
|-
| ''AnyVehicle''
| ''AnyVehicle''
Line 224: Line 253:
|}
|}


=== Configuring the Module Function ===


=== 4. Configuring the Module Function ===
* Place '' class CfgFunctions'' to ''config.cpp''. See [[Arma 3: Functions Library]] for more info about functions configuration.
* Place '' class CfgFunctions'' to ''config.cpp''. See [[Functions Library (Arma 3)]] for more info about functions configuration.
'''Example'''<br>
'''Example'''<br>
<spoiler>
<spoiler>
  class CfgFunctions  
  class CfgFunctions
  {
  {
  class <span style="color:indigo">myTag</span>
  class {{Color|indigo|myTag}}
  {
  {
  class <span style="color:teal">Effects</span>
  class {{Color|teal|Effects}}
  {
  {
  file = "\<span style="color:indigo">myTag</span>_addonName\functions";
  file = "\{{Color|indigo|myTag}}_addonName\functions";
  class <span style="color:green">module</span><span style="color:orangered;">Nuke</span>{};
  class {{Color|green|module}}{{Color|orangered|Nuke}}{};
  };
  };
  };
  };
  };</spoiler>
  };</spoiler>


=== Writing the Module Function ===


=== 5. Writing the Module Function ===
* Create the ''functions'' folder within the addon folder and place *.sqf or *.fsm files there.
* Create the ''functions'' folder within the addon folder and place *.sqf or *.fsm files there.
* Example: ''\<span style="color:indigo">myTag</span>_addonName\functions\fn_<span style="color:green">module</span><span style="color:orangered;">Nuke</span>.sqf''
* Example: ''\{{Color|indigo|myTag}}_addonName\functions\fn_{{Color|green|module}}{{Color|orangered|Nuke}}.sqf''
* Input parameters differ based on value of ''is3DEN'' property.
* Input parameters differ based on value of ''is3DEN'' property.


'''Default Example''' (is3DEN = 0)<br>
'''Default Example''' (is3DEN = 0)<br>
<spoiler>
<spoiler>
{{codecomment|// Argument 0 is module logic.}}
<sqf>
_logic = param [0,objNull,[objNull]];
// Argument 0 is module logic.
{{codecomment|// Argument 1 is list of affected units (affected by value selected in the 'class Units' argument))}}
_logic = param [0,objNull,[objNull]];
_units = param [1,[],<nowiki>[</nowiki>[]]];
// Argument 1 is list of affected units (affected by value selected in the 'class Units' argument))
{{codecomment|// True when the module was activated, false when it's deactivated (i.e., synced triggers are no longer active)}}
_units = param [1,[],[[]]];
_activated = param [2,true,[true]];
// True when the module was activated, false when it is deactivated (i.e., synced triggers are no longer active)
{{codecomment|// Module specific behavior. Function can extract arguments from logic and use them.}}
_activated = param [2,true,[true]];
if (_activated) then {
// Module specific behavior. Function can extract arguments from logic and use them.
{{codecomment|// Attribute values are saved in module's object space under their class names}}
if (_activated) then {
_bombYield = _logic [[getVariable]] ["Yield",-1]; {{codecomment|//(as per the previous example, but you can define your own.) }}
// Attribute values are saved in module's object space under their class names
hint format ["Bomb yield is: %1", _bombYield ]; {{codecomment|// will display the bomb yield, once the game is started }}
_bombYield = _logic getVariable ["Yield",-1]; // (as per the previous example, but you can define your own.)
};
hint format ["Bomb yield is: %1", _bombYield ]; // will display the bomb yield, once the game is started
{{codecomment|// Module function is executed by [[spawn]] command, so returned value is not necessary, but it's good practice.}}
};
true</spoiler>
// Module function is executed by spawn command, so returned value is not necessary, but it is good practice.
true;
</sqf>
</spoiler>


'''Example Eden Editor''' (is3DEN = 1)<br>
'''Example Eden Editor''' (is3DEN = 1)<br>
<spoiler>
<spoiler>
When '''is3DEN = 1''' is set in module config, different, more detailed params are passed to the function.
When '''is3DEN = 1''' is set in module config, different, more detailed params are passed to the function.
_mode = param [0,"",[""]];
<sqf>
_input = param [1,[],<nowiki>[</nowiki>[]]];
_mode = param [0,"",[""]];
_input = param [1,[],[[]]];
switch _mode do {
 
{{codecomment|// Default object init}}
switch _mode do {
case "init": {
// Default object init
_logic = _input param [0,objNull,[objNull]]; {{codecomment|// Module logic}}
case "init": {
_isActivated = _input param [1,true,[true]]; {{codecomment|// True when the module was activated, false when it's deactivated}}
_logic = _input param [0,objNull,[objNull]]; // Module logic
_isCuratorPlaced = _input param [2,false,[true]]; {{codecomment|// True if the module was placed by Zeus}}
_isActivated = _input param [1,true,[true]]; // True when the module was activated, false when it is deactivated
{{codecomment|// ... code here...}}
_isCuratorPlaced = _input param [2,false,[true]]; // True if the module was placed by Zeus
};
// ... code here...
{{codecomment|// When some attributes were changed (including position and rotation)}}
};
case "attributesChanged3DEN": {
// When some attributes were changed (including position and rotation)
_logic = _input param [0,objNull,[objNull]];
case "attributesChanged3DEN": {
{{codecomment|// ... code here...}}
_logic = _input param [0,objNull,[objNull]];
};
// ... code here...
{{codecomment|// When added to the world (e.g., after undoing and redoing creation)}}
};
case "registeredToWorld3DEN": {
// When added to the world (e.g., after undoing and redoing creation)
_logic = _input param [0,objNull,[objNull]];
case "registeredToWorld3DEN": {
{{codecomment|// ... code here...}}
_logic = _input param [0,objNull,[objNull]];
};
// ... code here...
{{codecomment|// When removed from the world (i.e., by deletion or undoing creation)}}
};
case "unregisteredFromWorld3DEN": {
// When removed from the world (i.e., by deletion or undoing creation)
_logic = _input param [0,objNull,[objNull]];
case "unregisteredFromWorld3DEN": {
{{codecomment|// ... code here...}}
_logic = _input param [0,objNull,[objNull]];
};
// ... code here...
{{codecomment|// When connection to object changes (i.e., new one is added or existing one removed)}}
};
case "connectionChanged3DEN": {
// When connection to object changes (i.e., new one is added or existing one removed)
_logic = _input param [0,objNull,[objNull]];
case "connectionChanged3DEN": {
{{codecomment|// ... code here...}}
_logic = _input param [0,objNull,[objNull]];
};
// ... code here...
{{codecomment|// When object is being dragged}}
};
case "dragged3DEN": {
// When object is being dragged
_logic = _input param [0,objNull,[objNull]];
case "dragged3DEN": {
{{codecomment|// ... code here...}}
_logic = _input param [0,objNull,[objNull]];
};
// ...code here...
};
};
true</spoiler>
};
true;
</sqf>
</spoiler>




== Module Properties ==
== Module Properties ==
{{Feature arma3|If you use the [[Eden Editor]] please visit [[Eden Editor: System]].}}
 
{{Feature|arma3|If you use the [[Eden Editor]] please visit [[Eden Editor: System]].}}
{| class="wikitable"
{| class="wikitable"
! Property Name
! Property Name
Line 314: Line 350:
|-
|-
| ''Name''
| ''Name''
| The name of a module can be used to refer to the object in script code. Like all variable names, the name must not contain any spaces or reserved characters. You should try to make it something meaningful and avoid conflicts. Note that if a variable exists with an identical name, no warning will be given and the name will refer to the variable first, rather than the named unit. If you copy and paste a named entity, the duplicate will be automatically have an underscore and number appended to it's name to avoid conflicts.
| The name of a module can be used to refer to the object in script code. Like all variable names, the name must not contain any spaces or reserved characters. You should try to make it something meaningful and avoid conflicts. Note that if a variable exists with an identical name, no warning will be given and the name will refer to the variable first, rather than the named unit. If you copy and paste a named entity, the duplicate will be automatically have an underscore and number appended to it is name to avoid conflicts.
|-
|-
| ''Initialization''
| ''Initialization''
| Any [[Scripting|script]] code placed in this box will be executed as the mission begins. Script code is extremely powerful and useful - it allows you to create many effects and change aspects of the mission that would not be possible using only the graphical interface of the mission editor. For example, to make a soldier begin the mission unarmed, add "[[removeAllWeapons]] [[this]]" (without the quotation marks) to it's initialization string. Any [[Expression|expressions]] in the initialization field must return [[Nothing|nothing]], or an error message will prevent the unit dialogue from closing.
| Any [[Scripting|script]] code placed in this box will be executed as the mission begins. Script code is extremely powerful and useful - it allows you to create many effects and change aspects of the mission that would not be possible using only the graphical interface of the mission editor. For example, to make a soldier begin the mission unarmed, add "[[removeAllWeapons]] [[Magic Variables#this_2|this]]" (without the quotation marks) to it is initialization string. Any [[Expression|expressions]] in the initialization field must return [[Nothing|nothing]], or an error message will prevent the unit dialogue from closing.
|-
|-
| ''Description''
| ''Description''
| The description property is not used by modules. However, it's used by some functions and it changes the tooltip in [[Eden Editor]] when hovering over the module icon.
| The description property is not used by modules. However, it is used by some functions and it changes the tooltip in [[Eden Editor]] when hovering over the module icon.
|-
|-
| ''Probability of Presence''
| ''Probability of Presence''
Line 327: Line 363:
|-
|-
| ''Condition of Presence''
| ''Condition of Presence''
| This is a script code condition which must return true in order for the object to appear in the mission. By default this reads "true" which means the object will appear as defined by it's ''Probability of Presence''. For an example, if you wanted a unit to appear only if the mission is being played in Veteran mode, place "![[cadetMode]]" (without quotation marks) in it's Condition of Presence box. A unit with a Condition of Presence that returns false will not exist in the mission, irrespective of its ''Probability of Presence''.
| This is a script code condition which must return true in order for the object to appear in the mission. By default this reads "true" which means the object will appear as defined by it is ''Probability of Presence''. For an example, if you wanted a unit to appear only if the mission is being played in Veteran mode, place "![[cadetMode]]" (without quotation marks) in it is Condition of Presence box. A unit with a Condition of Presence that returns false will not exist in the mission, irrespective of its ''Probability of Presence''.
|-
|-
| ''Placement Radius''
| ''Placement Radius''
| Changes the object's starting position to a random point within a circle of this radius, in metres. This can be used to add some randomness to your mission. For grouped units, the placement radius is only used by the group leader, and group members with a [[#Special|''Special'']] setting of ''None'' (or ''In Cargo'' for a group without suitable vehicle).
| Changes the object's starting position to a random point within a circle of this radius, in metres. This can be used to add some randomness to your mission. For grouped units, the placement radius is only used by the group leader, and group members with a special setting of ''None'' (or ''In Cargo'' for a group without suitable vehicle).
|}
|}




== Arma 3 Modules (List) ==  
== Module Documentation ==
'''Module List'''<br>
 
<spoiler>
Here you find links to modules which are documented on this wiki.
Last updated: {{GVI|arma3|1.82}}
 
{| class='wikitable'
=== {{arma2}} ===
!Module Name !!Category !!Addon !!Function !!Description
 
* [[Simple Support Module]]
* [[Ambient Animals]]
* [[Environment - Colors]]
* [[:Category:Arma 2: Editor Modules|Arma 2: Editor Modules]]
 
=== {{arma3}} ===
 
Last updated: {{GVI|arma3|2.10}}
{| class="wikitable"
! Module Name !! Category !! Addon !! Function !! Description
|-
| Hide Terrain Objects
| Environment
| Arma 3
| [[BIS_fnc_moduleHideTerrainObjects]]
|
|-
| Edit Terrain Object
| Environment
| Arma 3
| [[BIS_fnc_moduleEditTerrainObject]]
|
|-
| Timeline
| Keyframe Animation
| Arma 3
|
|
|-
| Rich Curve
| Keyframe Animation
| Arma 3
|
|
|-
| Rich Curve Key
| Keyframe Animation
| Arma 3
|
|
|-
| Rich Curve Key Control Point
| Keyframe Animation
| Arma 3
|
|
|-
| Camera
| Keyframe Animation
| Arma 3
|
|
|-
| Smoke Grenade
| Effects
| Arma 3
| [[BIS_fnc_moduleGrenade]]
| Create a smoke shell.
|-
| Chem light
| Effects
| Arma 3
| [[BIS_fnc_moduleGrenade]]
| Create a chem light.
|-
| Tracers
| Effects
| Arma 3
| [[BIS_fnc_moduleTracers]]
| Shoot tracers upwards to create an illusion of battle.
|-
|-
|Hide Terrain Objects
| Plankton
||Environment
| Effects
||Arma 3
| Arma 3
||[[BIS_fnc_moduleHideTerrainObjects]]
| [[BIS_fnc_moduleEffectsEmitterCreator]]
||
| Plankton module creates an underwater plankton effect around player.
|-
|-
|Edit Terrain Object
| Bubbles
||Environment
| Effects
||Arma 3
| Arma 3
||[[BIS_fnc_moduleEditTerrainObject]]
| [[BIS_fnc_moduleEffectsEmitterCreator]]
||
| Creates underwater bubbles on position of the module. Unless you set the position of the module manually (via script commands), bubbles will be created at the bottom.
|-
|-
|Timeline
| Cartridges
||Keyframe Animation
| Effects
||Arma 3
| Arma 3
||
| [[BIS_fnc_moduleEffectsEmitterCreator]]
||
| Creates empty cartridges on the position of the module.
|-
|-
|Rich Curve
| Smoke
||Keyframe Animation
| Effects
||Arma 3
| Arma 3
||
| [[BIS_fnc_moduleEffectsEmitterCreator]]
||
| Creates smoke on a position of the module.
|-
|-
|Rich Curve Key
| Fire
||Keyframe Animation
| Effects
||Arma 3
| Arma 3
||
| [[BIS_fnc_moduleEffectsEmitterCreator]]
||
| Creates fire on a position of the module.
|-
|-
|Rich Curve Key Control Point
| Date
||Keyframe Animation
| Events
||Arma 3
| Arma 3
||
| [[BIS_fnc_moduleDate]]
||
| Set mission date.
|-
|-
|Camera
| Weather
||Keyframe Animation
| Environment
||Arma 3
| Arma 3
||
| [[BIS_fnc_moduleWeather]]
||
| Set mission weather. Certain changes can take some time to appear.
|-
|-
|Smoke Grenade
| Save Game
||Effects
| Events
||Arma 3
| Arma 3
||[[BIS_fnc_moduleGrenade]]
| [[BIS_fnc_moduleSaveGame]]
||Create a smoke shell.
| Set the mission progress. Will replace the previous automatic save. User save won't be affected.
|-
|-
|Chem light
| Radio Chat
||Effects
| Events
||Arma 3
| Arma 3
||[[BIS_fnc_moduleGrenade]]
| [[BIS_fnc_moduleChat]]
||Create a chem light.
| Show a chat message.
|-
|-
|Tracers
| Volume
||Effects
| Events
||Arma 3
| Arma 3
||[[BIS_fnc_moduleTracers]]
| [[BIS_fnc_moduleVolume]]
||Shoot tracers upwards to create an illusion of battle.
| Set mission sound/music volume. Changes won't affect user options.
|-
|-
|Plankton
| Generic radio message
||Effects
| Events
||Arma 3
| Arma 3
||[[BIS_fnc_moduleEffectsEmitterCreator]]
| [[BIS_fnc_moduleGenericRadio]]
||Plankton module creates an underwater plankton effect around player.
| Show a chat message.
|-
|-
|Bubbles
| Set Callsign
||Effects
| Group Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleEffectsEmitterCreator]]
| [[BIS_fnc_moduleGroupID]]
||Creates underwater bubbles on position of the module. Unless you set the position of the module manually (via script commands), bubbles will be created at the bottom.
| Assign group callsign. Each group has to have a unique callsign - assigning an existing one will remove it from the group which used it previously.
|-
|-
|Cartridges
| Combat Get In
||Effects
| Group Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleEffectsEmitterCreator]]
| [[BIS_fnc_moduleCombatGetIn]]
||Creates empty cartridges on the position of the module.
|
|-
|-
|Smoke
| High Command - Commander
||Effects
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_moduleEffectsEmitterCreator]]
|
||Creates smoke on a position of the module.
| Set person as a high commander, giving him an ability to control whole groups.
|-
|-
|Fire
| Skip time
||Effects
| Environment
||Arma 3
| Arma 3
||[[BIS_fnc_moduleEffectsEmitterCreator]]
| [[BIS_fnc_moduleSkiptime]]
||Creates fire on a position of the module.
| Skip mission time.
|-
|-
|Date
| Create Task
||Events
| Intel
||Arma 3
| Arma 3
||[[BIS_fnc_moduleDate]]
| [[BIS_fnc_moduleTaskCreate]]
||Set mission date.
| Add a task to synced objects or to larger pool of units.
|-
|-
|Weather
| Set Task Description
||Environment
| Intel
||Arma 3
| Arma 3
||[[BIS_fnc_moduleWeather]]
| [[BIS_fnc_moduleTaskSetDescription]]
||Set mission weather. Certain changes can take some time to appear.
| Set task description.
|-
|-
|Save Game
| Set Task Destination
||Events
| Intel
||Arma 3
| Arma 3
||[[BIS_fnc_moduleSaveGame]]
| [[BIS_fnc_moduleTaskSetDestination]]
||Set the mission progress. Will replace the previous automatic save. User save won't be affected.
| Set task destination.
|-
|-
|Radio Chat
| Set Task State
||Events
| Intel
||Arma 3
| Arma 3
||[[BIS_fnc_moduleChat]]
| [[BIS_fnc_moduleTaskSetState]]
||Show a chat message.
| Set task state.
|-
|-
|Volume
| Create Diary Record
||Events
| Intel
||Arma 3
| Arma 3
||[[BIS_fnc_moduleVolume]]
| [[BIS_fnc_moduleCreateDiaryRecord]]
||Set mission sound/music volume. Changes won't affect user options.
| Create a diary record for synced objects or for larger a pool of units.
|-
|-
|Generic radio message
| Headquarters Entity
||Events
| Intel
||Arma 3
| Arma 3
||[[BIS_fnc_moduleGenericRadio]]
| [[BIS_fnc_moduleHQ]]
||Show a chat message.
| Virtual headquarters unit which can be used for playing radio messages.
|-
|-
|Set Callsign
| Military Symbols
||Group Modifiers
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_moduleGroupID]]
|
||Assign group callsign. Each group has to have a unique callsign - assigning an existing one will remove it from the group which used it previously.
|
|-
|-
|Combat Get In
| Zone Restriction
||Group Modifiers
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_moduleCombatGetIn]]
| [[BIS_fnc_moduleZoneRestriction]]
||
| Set punishment for leaving the Area of Operation.
|-
|-
|High Command - Commander
| Trident
||Others
| Others
||Arma 3
| Arma 3
||
| [[BIS_fnc_moduleTrident]]
||Set person as a high commander, giving him an ability to control whole groups.
| Set diplomacy options. When involved sides start killing each other, they won't be punished by a negative rating. Once too many kills are reached, the sides will turn hostile.
|-
|-
|Skip time
| Unlock Object
||Environment
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_moduleSkiptime]]
| [[BIS_fnc_moduleUnlockObject]]
||Skip mission time.
| Unlock addons of synced objects for the curator. E.g., when synced to a BLUFOR soldier, all BLUFOR soldiers will be unlocked, because they belong to the same addon.
|-
|-
|Create Task
| Unlock Area
||Intel
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_ModuleTaskCreate]]
| [[BIS_fnc_moduleUnlockArea]]
||Add a task to synced objects or to larger pool of units.
| Unlock area for curator unit spawning.
|-
|-
|Set Task Description
| Friendly Fire
||Intel
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_ModuleTaskSetDescription]]
| [[BIS_fnc_moduleFriendlyFire]]
||Set task description.
| Set punishment for killing friendly units.
|-
|-
|Set Task Destination
| Sector
||Intel
| Multiplayer
||Arma 3
| Arma 3
||[[BIS_fnc_ModuleTaskSetDestination]]
| [[BIS_fnc_moduleSector]]
||Set task destination.
|
|-
|-
|Set Task State
| Respawn Position
||Intel
| Multiplayer
||Arma 3
| Arma 3
||[[BIS_fnc_ModuleTaskSetState]]
| [[BIS_fnc_moduleRespawnPosition]]
||Set task state.
| Add a respawn position.
|-
|-
|Create Diary Record
| Vehicle Respawn
||Intel
| Multiplayer
||Arma 3
| Arma 3
||[[BIS_fnc_moduleCreateDiaryRecord]]
| [[BIS_fnc_moduleRespawnVehicle]]
||Create a diary record for synced objects or for larger a pool of units.
| Set vehicle respawn parameters.
|-
|-
|Headquarters Entity
| Show / Hide
||Intel
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleHQ]]
| [[BIS_fnc_moduleShowHide]]
||Virtual headquarters unit which can be used for playing radio messages.
| Show/hide synced objects. They will become invisible and their simulation will be disabled.
|-
|-
|Military Symbols
| Set Position / Rotation
||Others
| Object Modifiers
||Arma 3
| Arma 3
||
| [[BIS_fnc_modulePositioning]]
||
| Set position and rotation of synced objects.
|-
|-
|Zone Restriction
| Set Skill
||Others
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleZoneRestriction]]
| [[BIS_fnc_moduleSkill]]
||Set punishment for leaving the Area of Operation.
| Set AI skill of synced objects. Has no effect on players.
|-
|-
|Trident
| Set Character Damage
||Others
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleTrident]]
| [[BIS_fnc_moduleHealth]]
||Set diplomacy options. When involved sides start killing each other, they won't be punished by a negative rating. Once too many kills are reached, the sides will turn hostile.
| Set damage of synced persons.
|-
|-
|Unlock Object
| Set Vehicle Damage
||Others
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleUnlockObject]]
| [[BIS_fnc_moduleDamage]]
||Unlock addons of synced objects for the curator. E.g., when synced to a BLUFOR soldier, all BLUFOR soldiers will be unlocked, because they belong to the same addon.
| Set damage of synced vehicles.
|-
|-
|Unlock Area
| Set Vehicle Fuel
||Others
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleUnlockArea]]
| [[BIS_fnc_moduleFuel]]
||Unlock area for curator unit spawning.
| Set fuel of synced vehicles.
|-
|-
|Friendly Fire
| Set Ammo
||Others
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleFriendlyFire]]
| [[BIS_fnc_moduleAmmo]]
||Set punishment for killing friendly units.
| Set total ammo of synced objects. Affects only ammo of their weapons, not ammo carried in cargo space (e.g., ammo boxes).
|-
|-
|Sector
| Set Mode
||Multiplayer
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleSector]]
| [[BIS_fnc_moduleMode]]
||
| Set behavior pattern of synced objects.
|-
|-
|Respawn Position
| Set Rank
||Multiplayer
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleRespawnPosition]]
| [[BIS_fnc_moduleRank]]
||Add a respawn position.
| Set military rank of synced objects.
|-
|-
|Vehicle Respawn
| Set AI Mode
||Multiplayer
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleRespawnVehicle]]
| [[BIS_fnc_moduleAI]]
||Set vehicle respawn parameters.
| Enable/disable AI modes.
|-
|-
|Show / Hide
| Add Rating / Score
||Object Modifiers
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleShowHide]]
| [[BIS_fnc_moduleRating]]
||Show/hide synced objects. They will become invisible and their simulation will be disabled.
| Add rating to synced objects. Rating is automatically awarded for killed enemies and players can see it in the debriefing screen. Shooting friendlies will lead to a negative rating and turning hostile to your own units.
|-
|-
|Set Position / Rotation
| Open / Close Doors
||Object Modifiers
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_modulePositioning]]
| [[BIS_fnc_moduleDoorOpen]]
||Set position and rotation of synced objects.
| Open/close door of synced objects.
|-
|-
|Set Skill
| Simulation Manager
||Object Modifiers
| Object Modifiers
||Arma 3
| Arma 3
||[[BIS_fnc_moduleSkill]]
| [[BIS_fnc_moduleSimulationManager]]
||Set AI skill of synced objects. Has no effect on players.
| Keep all AI units disabled until someone from the player's group gets near.
|-
|-
|Set Character Damage
| Open Strategic Map
||Object Modifiers
| Strategic
||Arma 3
| Arma 3
||[[BIS_fnc_moduleHealth]]
| [[BIS_fnc_moduleStrategicMapOpen]]
||Set damage of synced persons.
| Open a strategic map.
|-
|-
|Set Vehicle Damage
| Support Requester
||Object Modifiers
| Supports
||Arma 3
| Arma 3
||[[BIS_fnc_moduleDamage]]
| [[BIS_fnc_moduleSupportsInitRequester]]
||Set damage of synced vehicles.
| Supports framework. A support requester unit has to be synchronized with the Requester module. The Requester module has to be synchronized with Provider module(s). A Provider module has to be synchronized with a support provider unit(s), unless a Virtual Provider module is used.
|-
|-
|Set Vehicle Fuel
| Firing Drill
||Object Modifiers
| Firing Drills
||Arma 3
| Arma 3
||[[BIS_fnc_moduleFuel]]
| [[BIS_fnc_moduleFiringDrill]]
||Set fuel of synced vehicles.
|
|-
|-
|Set Ammo
| Posters
||Object Modifiers
| Others
||Arma 3
| Arma 3
||[[BIS_fnc_moduleAmmo]]
| [[BIS_fnc_modulePoster]]
||Set total ammo of synced objects. Affects only ammo of their weapons, not ammo carried in cargo space (e.g., ammo boxes).
| Creates posters and leafets on walls of buildings. Those buildings are made indestructible.
|-
|-
|Set Mode
| Animals
||Object Modifiers
| Others
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleMode]]
| [[BIS_fnc_moduleAnimals]]
||Set behavior pattern of synced objects.
| Creates a group of animals and handles their basic behavior. Deleting the module will delete the animals as well.
|-
|-
|Set Rank
| Close Air Support (CAS)
||Object Modifiers
| Effects
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleRank]]
| [[BIS_fnc_moduleCAS]]
||Set military rank of synced objects.
| Send an air strike on the module position. It will take a few seconds before the plane arrives at the module's position. Unless it is destroyed, it will be deleted after flying away.
|-
|-
|Set AI Mode
| Game Master
||Object Modifiers
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleAI]]
| [[BIS_fnc_moduleCurator]]
||Enable/disable AI modes.
| Zeus logic which provides access to the 3D real-time editor.
|-
|-
|Add Rating / Score
| Manage Addons
||Object Modifiers
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleRating]]
| [[BIS_fnc_moduleCuratorAddAddons]]
||Add rating to synced objects. Rating is automatically awarded for killed enemies and players can see it in the debriefing screen. Shooting friendlies will lead to a negative rating and turning hostile to your own units.
| Manage addons (i.e. object packs) available to Zeus.
|-
|-
|Open / Close Doors
| Manage Resources
||Object Modifiers
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleDoorOpen]]
| [[BIS_fnc_moduleCuratorAddPoints]]
||Open/close door of synced objects.
| Add or subtract resources available to Zeus. They are required for placing or editing objects.
|-
|-
|Simulation Manager
| Add Editing Area
||Object Modifiers
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleSimulationManager]]
| [[BIS_fnc_moduleCuratorAddEditingArea]]
||Keep all AI units disabled until someone from the player's group gets near.
| Add an area inside of which Zeus is allowed to place or edit objects.
|-
|-
|Open Strategic Map
| Restrict Editing Around Players
||Strategic
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleStrategicMapOpen]]
| [[BIS_fnc_moduleCuratorAddEditingAreaPlayers]]
||Open a strategic map.
|
|-
|-
|Support Requester
| Set Editing Area Type
||Supports
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_moduleSupportsInitRequester]]
| [[BIS_fnc_moduleCuratorSetEditingAreaType]]
||Supports framework. A support requester unit has to be synchronized with the Requester module. The Requester module has to be synchronized with Provider module(s). A Provider module has to be synchronized with a support provider unit(s), unless a Virtual Provider module is used.
| Set whether editing in all editing areas is allowed or restricted.
|-
|-
|Posters
| Add Camera Area
||Others
| Zeus
||Arma 3
| Arma 3 Zeus
||[[BIS_fnc_modulePoster]]
| [[BIS_fnc_moduleCuratorAddCameraArea]]
||Creates posters and leafets on walls of buildings. Those buildings are made indestructible.
| Add an area inside of which Zeus can move with the camera.
|-
|-
|Animals
| Set Camera Position
||Others
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleAnimals]]
| [[BIS_fnc_moduleCuratorSetCamera]]
||Creates a group of animals and handles their basic behavior. Deleting the module will delete the animals as well.
| Move the Zeus camera to the module position.
|-
|-
|Close Air Support (CAS)
| Add Editable Objects
||Effects
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCAS]]
| [[BIS_fnc_moduleCuratorAddEditableObjects]]
||Send an air strike on the module position. It will take a few seconds before the plane arrives at the module’s position. Unless it's destroyed, it will be deleted after flying away.
| Add objects which Zeus can edit.
|-
|-
|Game Master
| Set Editing Costs
||Zeus
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCurator]]
| [[BIS_fnc_moduleCuratorSetCoefs]]
||Zeus logic which provides access to the 3D real-time editor.
| Set coefficients for operations Zeus can perform. The object cost is multiplied by these. Use a large negative value (e.g. -1e10) to disable the operation.
|-
|-
|Manage Addons
| Set Costs (Default)
||Zeus
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorAddAddons]]
| [[BIS_fnc_moduleCuratorSetCostsDefault]]
||Manage addons (i.e. object packs) available to Zeus.
|
|-
|-
|Manage Resources
| Set Costs (Side)
||Zeus
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorAddPoints]]
| [[BIS_fnc_moduleCuratorSetCostsSide]]
||Add or subtract resources available to Zeus. They are required for placing or editing objects.
| Simplified definition of object costs. Can be combined with other "Set Costs" modules (e.g., cost of a BLUFOR soldier can be defined by "Set Costs - Sides" and "Set Costs - Soldiers & Vehicles" module. All matching values are multiplied together).
|-
|-
|Add Editing Area
| Set Costs - Soldiers & Vehicles
||Zeus
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorAddEditingArea]]
| [[BIS_fnc_moduleCuratorSetCostsVehicleClass]]
||Add an area inside of which Zeus is allowed to place or edit objects.
| Simplified definition of object costs. Can be combined with other "Set Costs" modules (e.g., cost of a BLUFOR soldier can be defined by "Set Costs - Sides" and "Set Costs - Soldiers & Vehicles" module. All matching values are multiplied together).
|-
|-
|Restrict Editing Around Players
| Add Icon
||Zeus
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorAddEditingAreaPlayers]]
| [[BIS_fnc_moduleCuratorAddIcon]]
||
| Show icon visible only to a specific Zeus.
|-
|-
|Set Editing Area Type
| Set Attributes - Objects
||Zeus
| Zeus
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorSetEditingAreaType]]
| [[BIS_fnc_moduleCuratorSetAttributes]]
||Set whether editing in all editing areas is allowed or restricted.
| Set which attributes are available for objects. The attribute window is accessed when Zeus double-clicks LMB on an object.
|-
|-
|Add Camera Area
| Post-Process
||Zeus
| Environment
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorAddCameraArea]]
| [[BIS_fnc_modulePostprocess]]
||Add an area inside of which Zeus can move with the camera.
| Set a scene Post-Processing effect (e.g. color correction or film grain)
|-
|-
|Set Camera Position
| IR Grenade
||Zeus
| Effects
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorSetCamera]]
| [[BIS_fnc_moduleGrenade]]
||Move the Zeus camera to the module position.
|
|-
|-
|Add Editable Objects
| Time Acceleration
||Zeus
| Environment
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorAddEditableObjects]]
| [[BIS_fnc_moduleTimeMultiplier]]
||Add objects which Zeus can edit.
|
|-
|-
|Set Editing Costs
| Flare
||Zeus
| Effects
||Arma 3 Zeus
| Arma 3 Zeus
||[[BIS_fnc_moduleCuratorSetCoefs]]
| [[BIS_fnc_moduleProjectile]]
||Set coefficients for operations Zeus can perform. The object cost is multiplied by these. Use a large negative value (e.g. -1e10) to disable the operation.
| Creates a signal flare on the module position (visible only at night).
|-
| End Scenario
| Scenario Flow
| Arma 3 Zeus
| [[BIS_fnc_moduleEndMission]]
| End the scenario for all players.
|-
| Scenario Name
| Scenario Flow
| Arma 3 Zeus
| [[BIS_fnc_moduleMissionName]]
| Set the scenario name. It's shown to every player upon joining and after each respawn.
|-
| Zeus Lightning Bolt
| Zeus
| Arma 3 Zeus
| [[BIS_fnc_moduleLightning]]
| Creates a lightning strike powerful enough to destroy an object where it impacts.
|-
| Cover Map
| Others
| Arma 3 Zeus
| [[BIS_fnc_moduleCoverMap]]
| Highlight an Area of Operations in the map by enclosing it and covering the unused part.
|-
| Create Radio Channel
| Others
| Arma 3 Zeus
| [[BIS_fnc_moduleRadioChannelCreate]]
| Creates a custom radio channel for the given sides / Zeus players.
|-
| Zone Protection
| Scenario Flow
| Arma 3 Zeus
| [[BIS_fnc_moduleZoneProtection]]
| Prevents players from entering the given area.
|-
| Countdown
| Scenario Flow
| Arma 3 Zeus
| [[BIS_fnc_moduleCountdown]]
|
|-
| Respawn Tickets
| Scenario Flow
| Arma 3 Zeus
| [[BIS_fnc_moduleRespawnTickets]]
| Set the number of respawn tickets available to each side.
|-
| Bleed Tickets
| Scenario Flow
| Arma 3 Zeus
| [[BIS_fnc_moduleBleedTickets]]
| Allow ticket bleeding when one side is holding the majority of sectors.
|-
| Ordnance
| Effects
| Arma 3 Zeus
| [[BIS_fnc_moduleProjectile]]
| Create an artillery shell on the module position. It will take a few seconds until it hits the ground.
|-
| Time Trial
| Time Trials
| Arma 3 Karts
| [[BIS_fnc_moduleTimeTrial]]
|
|-
| Spawn AI
| Others
| Arma 3 Helicopters
| [[BIS_fnc_moduleSpawnAI]]
|
|-
| Spawn AI: Spawnpoint
| Others
| Arma 3 Helicopters
| [[BIS_fnc_moduleSpawnAIPoint]]
|
|-
|-
|Set Costs (Default)
| Spawn AI: Sector Tactic
||Zeus
| Others
||Arma 3 Zeus
| Arma 3 Helicopters
||[[BIS_fnc_moduleCuratorSetCostsDefault]]
| [[BIS_fnc_moduleSpawnAISectorTactic]]
||
|
|-
|-
|Set Costs (Side)
| Spawn AI: Options
||Zeus
| Others
||Arma 3 Zeus
| Arma 3 Helicopters
||[[BIS_fnc_moduleCuratorSetCostsSide]]
| [[BIS_fnc_moduleSpawnAIOptions]]
||Simplified definition of object costs. Can be combined with other "Set Costs" modules (e.g., cost of a BLUFOR soldier can be defined by "Set Costs - Sides" and "Set Costs - Soldiers & Vehicles" module. All matching values are multiplied together).
|
|-
|-
|Set Costs - Soldiers & Vehicles
| Sling Load
||Zeus
| Others
||Arma 3 Zeus
| Arma 3 Helicopters
||[[BIS_fnc_moduleCuratorSetCostsVehicleClass]]
| [[BIS_fnc_moduleSlingload]]
||Simplified definition of object costs. Can be combined with other "Set Costs" modules (e.g., cost of a BLUFOR soldier can be defined by "Set Costs - Sides" and "Set Costs - Soldiers & Vehicles" module. All matching values are multiplied together).
|
|-
|-
|Add Icon
| EndGame Objectives Instance
||Zeus
| Objectives
||Arma 3 Zeus
| Arma 3 Marksmen
||[[BIS_fnc_moduleCuratorAddIcon]]
| [[BIS_fnc_moduleHvtObjectives]]
||Show icon visible only to a specific Zeus.
|
|-
|-
|Set Attributes - Objects
| End Game Simple Objective
||Zeus
| Objectives
||Arma 3 Zeus
| Arma 3 Marksmen
||[[BIS_fnc_moduleCuratorSetAttributes]]
| [[BIS_fnc_moduleHvtObjectives]]
||Set which attributes are available for objects. The attribute window is accessed when Zeus double-clicks LMB on an object.
|
|-
|-
|Post-Process
| End Game Start Game Objective
||Environment
| Objectives
||Arma 3 Zeus
| Arma 3 Marksmen
||[[BIS_fnc_modulePostprocess]]
| [[BIS_fnc_moduleHvtObjectives]]
||Set a scene Post-Processing effect (e.g. color correction or film grain)
|
|-
|-
|IR Grenade
| End Game - End Game Objective
||Effects
| Objectives
||Arma 3 Zeus
| Arma 3 Marksmen
||[[BIS_fnc_moduleGrenade]]
| [[BIS_fnc_moduleHvtObjectives]]
||
|
|-
|-
|Time Acceleration
| Combat Patrol Init
||Environment
| Combat Patrol
||Arma 3 Zeus
| Arma 3 Malden
||[[BIS_fnc_moduleTimeMultiplier]]
| [[BIS_fnc_CPInit]]
||
| Initializes the Combat Patrol mode upon scenario start.
|-
|-
|Flare
| Combat Patrol Location Add
||Effects
| Combat Patrol
||Arma 3 Zeus
| Arma 3 Malden
||[[BIS_fnc_moduleProjectile]]
|
||Creates a signal flare on the module position (visible only at night).
| Adds a new selectable location to the map.
|-
|-
|End Scenario
| Combat Patrol Location Remove
||Scenario Flow
| Combat Patrol
||Arma 3 Zeus
| Arma 3 Malden
||[[BIS_fnc_moduleEndMission]]
|
||End the scenario for all players.
| Removes the nearest location in a 1000m radius from the map selection.
|-
|-
|Scenario Name
| Combat Patrol Location Reposition
||Scenario Flow
| Combat Patrol
||Arma 3 Zeus
| Arma 3 Malden
||[[BIS_fnc_moduleMissionName]]
|
||Set the scenario name. It's shown to every player upon joining and after each respawn.
| Moves the nearest location in a 1000m radius to this module's position.
|-
|-
|Zeus Lightning Bolt
| Combat Patrol Azimuth Blacklist
||Zeus
| Combat Patrol
||Arma 3 Zeus
| Arma 3 Malden
||[[BIS_fnc_moduleLightning]]
|
||Creates a lightning strike powerful enough to destroy an object where it impacts.
| Blacklists the nearest location's in a 1000m radius azimuth range so it can't be used for the starting / ending position or reinforcements spawning point.
|-
|-
|Cover Map
| Civilian Presence
||Others
| Ambient
||Arma 3 Zeus
| Arma 3 Tac-Ops
||[[BIS_fnc_moduleCoverMap]]
| [[BIS_fnc_moduleCivilianPresence]]
||Highlight an Area of Operations in the map by enclosing it and covering the unused part.
|
|-
|-
|Create Radio Channel
| Civilian Presence Spawnpoint
||Others
| Ambient
||Arma 3 Zeus
| Arma 3 Tac-Ops
||[[BIS_fnc_moduleRadioChannelCreate]]
| [[BIS_fnc_moduleCivilianPresenceUnit]]
||Creates a custom radio channel for the given sides / Zeus players.
|
|-
|-
|Zone Protection
| Civilian Presence Position
||Scenario Flow
| Ambient
||Arma 3 Zeus
| Arma 3 Tac-Ops
||[[BIS_fnc_moduleZoneProtection]]
| [[BIS_fnc_moduleCivilianPresenceSafeSpot]]
||Prevents players from entering the given area.
|
|-
|-
|Countdown
| Vanguard: Starting Area
||Scenario Flow
| Gameplay Modes
||Arma 3 Zeus
| Arma 3 Tanks
||[[BIS_fnc_moduleCountdown]]
| [[BIS_fnc_moduleVanguardFob]]
||
|
|-
|-
|Respawn Tickets
| Vanguard: Score Persistence
||Scenario Flow
| Gameplay Modes
||Arma 3 Zeus
| Arma 3 Tanks
||[[BIS_fnc_moduleRespawnTickets]]
| [[BIS_fnc_moduleVanguardScorePersistence]]
||Set the number of respawn tickets available to each side.
|
|-
|-
|Bleed Tickets
| Vanguard: Objective Area
||Scenario Flow
| Gameplay Modes
||Arma 3 Zeus
| Arma 3 Tanks
||[[BIS_fnc_moduleBleedTickets]]
| [[BIS_fnc_moduleVanguardObjective]]
||Allow ticket bleeding when one side is holding the majority of sectors.
|
|-
|-
|Ordnance
| Old Man Sector
||Effects
| Old Man
||Arma 3 Zeus
| Arma 3 Apex
||[[BIS_fnc_moduleProjectile]]
|
||Create an artillery shell on the module position. It will take a few seconds until it hits the ground.
| Module for configuring sectors. All vehicles and groups placed inside will be persistently spawned. Sectors must not overlap! This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Spawn AI
| Old Man Patrol Area
||Others
| Old Man
||Arma 3 Helicopters
| Arma 3 Apex
||[[BIS_fnc_moduleSpawnAI]]
|
||
| Module for randomly spawning groups in an area. Groups that have some unit synchronized are used as a template; units will randomly spawn in positions inside the patrol area. If you synchronize multiple groups, a random group will be selected. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Spawn AI: Spawnpoint
| Old Man Restricted Area
||Others
| Old Man
||Arma 3 Helicopters
| Arma 3 Apex
||[[BIS_fnc_moduleSpawnAIPoint]]
|
||
| Sets up restricted areas which will raise player's threat level if seen within it. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Spawn AI: Sector Tactic
| Old Man Relationship
||Others
| Old Man
||Arma 3 Helicopters
| Arma 3 Apex
||[[BIS_fnc_moduleSpawnAISectorTactic]]
|
||
| Set up the relationship with a given side. Do not set up for player's own side. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Spawn AI: Options
| Old Man QRF
||Others
| Others
||Arma 3 Helicopters
| Arma 3 Apex
||[[BIS_fnc_moduleSpawnAIOptions]]
|
||
| QRF Module. Synchronized units will be spawned on QRF activation. Only one instance of the module is allowed. It cannot be used without first adding the Old Man Init. module.
|-
|-
|Sling Load
| Old Man Smart Markers
||Others
| Old Man
||Arma 3 Helicopters
| Arma 3 Apex
||[[BIS_fnc_moduleSlingload]]
| [[BIS_fnc_OM_moduleSmartMarkers]]
||
| Managing smart marker enhancements, interactive smart marker compositions, and LODing of the information. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|EndGame Objectives Instance
| Old Man Insurgent Agent
||Objectives
| Old Man
||Arma 3 Marksmen
| Arma 3 Apex
||[[BIS_fnc_moduleHvtObjectives]]
| [[BIS_fnc_OM_moduleSyndikatAgent]]
||
| Module manages insurgent resources. It generates attack events. It cannot be used without first adding the Old Man Init. module.
|-
|-
|End Game Simple Objective
| Old Man Insurgent Team
||Objectives
| Old Man
||Arma 3 Marksmen
| Arma 3 Apex
||[[BIS_fnc_moduleHvtObjectives]]
| [[BIS_fnc_OM_moduleSyndikatTeam]]
||
| Manages size of insurgent teams and income. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|End Game Start Game Objective
| Old Man Insurgent Camp Position
||Objectives
| Old Man
||Arma 3 Marksmen
| Arma 3 Apex
||[[BIS_fnc_moduleHvtObjectives]]
|
||
| Defines the placement of a camp. Synchronize the position with a unit, which will serve as a template for the unit actually spawned in the camp. Behavior and waypoints will be inherited, as well as code from any synchronized init. script module. It cannot be used without first adding the Old Man Init. module.
|-
|-
|End Game - End Game Objective
| Old Man Economy
||Objectives
| Old Man
||Arma 3 Marksmen
| Arma 3 Apex
||[[BIS_fnc_moduleHvtObjectives]]
| [[BIS_fnc_OM_moduleEconomy]]
||
| Manage player income and starting money. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Combat Patrol Init
| Oldman Action Queue
||Combat Patrol
| Old Man
||Arma 3 Malden
| Arma 3 Apex
||[[BIS_fnc_CPInit]]
| [[BIS_fnc_OM_moduleActionQueue]]
||Initializes the Combat Patrol mode upon scenario start.
| Action Queue can be used for the sequential execution of actions (scripts, dialogues) in a non-specified time.
|-
|-
|Combat Patrol Location Add
| Old Man Radio
||Combat Patrol
| Old Man
||Arma 3 Malden
| Arma 3 Apex
||
| [[BIS_fnc_OM_moduleRadio]]
||Adds a new selectable location to the map.
| Sets parameters for radio stations and what content will be aired. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Combat Patrol Location Remove
| Old Man Reputation
||Combat Patrol
| Old Man
||Arma 3 Malden
| Arma 3 Apex
||
| [[BIS_fnc_OM_moduleReputation]]
||Removes the nearest location in a 1000m radius from the map selection.
| Reputation calculated in conjunction with the Relationship module. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Combat Patrol Location Reposition
| Old Man Awareness
||Combat Patrol
| Old Man
||Arma 3 Malden
| Arma 3 Apex
||
| [[BIS_fnc_OM_moduleAwareness]]
||Moves the nearest location in a 1000m radius to this module's position.
| Player's awareness regarding his relationship to the enemy via ambient radio chatter. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Combat Patrol Azimuth Blacklist
| Old Man Protected Vehicle
||Combat Patrol
| Old Man
||Arma 3 Malden
| Arma 3 Apex
||
|
||Blacklists the nearest location's in a 1000m radius azimuth range so it can't be used for the starting / ending position or reinforcements spawning point.
| Vehicle that will be marked as stolen by a given side. It will elicit an appropriate response if taken. Note that all CSAT, NATO, and Gendarmerie vehicles are registered by default. This module must be synchronized to a vehicle. It cannot be used without first adding the Old Man Init. Module.
|-
|-
|Civilian Presence
| Old Man Init. Script
||Ambient
| Old Man
||Arma 3 Tac-Ops
| Arma 3 Apex
||[[BIS_fnc_moduleCivilianPresence]]
|
||
| Init. script applied to any unit synchronized with a module. Do not use system: Init. field. Instead, use the field in the lower part of the module. Script will be called every time a unit in the sector is created.
|-
|-
|Civilian Presence Spawnpoint
| Old Man Init.
||Ambient
| Old Man
||Arma 3 Tac-Ops
| Arma 3 Apex
||[[BIS_fnc_moduleCivilianPresenceUnit]]
| [[BIS_fnc_OM_init]]
||
| Integral module for Old Man, enabling all functionality. If you create a new mission, do not forget the common description.ext to enable the rest of the functions.<br/>It is possible to include other missions directly into this mission. You must have them all in one folder, with the path mapped in this module. Furthermore, in each mission folder, you must have the missionName.sqf file included. For the name of the included mission, use the mission name, without the accompanying terrain suffix.
|-
|-
|Civilian Presence Position
| Old Man Night
||Ambient
| Old Man
||Arma 3 Tac-Ops
| Arma 3 Apex
||[[BIS_fnc_moduleCivilianPresenceSafeSpot]]
|
||
| Synchronize units you want to spawn to the closest sector. According to the module settings, synchronized units will remain at night. Use this module for each sector that should be different from a sector in the daytime. It cannot be used without first adding the Old Man Init. module.
|-
|-
|Vanguard: Starting Area
| Old Man Intel
||Gameplay Modes
| Old Man
||Arma 3 Tanks
| Arma 3 Apex
||[[BIS_fnc_moduleVanguardFob]]
|
||
| Module for creating collectible intel. It adds a new diary record and can reveal sector markers. It cannot be used without first adding the Old Man Init. module.
|-
|-
|Vanguard: Score Persistence
| Old Man Tracked Device
||Gameplay Modes
| Old Man
||Arma 3 Tanks
| Arma 3 Apex
||[[BIS_fnc_moduleVanguardScorePersistence]]
|
||
| Synchronize this module with any object that should be audible on the player's phone's geo-finder. The module itself will only prime the object. It will be despawned after. Do not use on vehicles or units inside a sector which can be despawned. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|Vanguard: Objective Area
| Old Man Drop-off Point
||Gameplay Modes
| Old Man
||Arma 3 Tanks
| Arma 3 Apex
||[[BIS_fnc_moduleVanguardObjective]]
| [[BIS_fnc_OM_moduleDepot]]
||
| Player is able to unload/sell equipment inside of the sector area. Synchronize a container so it can be used to store items from inventory. This module cannot be used without first adding the Old Man Init. module.
|-
|-
|}</spoiler>
| Old Man Rest Point
| Old Man
| Arma 3 Apex
| [[BIS_fnc_OM_moduleRestPoint]]
| Player is able to rest at synchronized object(s). This module cannot be used without first adding the Old Man Init. module.
|-
| Old Man Mosquitoes
| Old Man
| Arma 3 Apex
| [[BIS_fnc_OM_Epicentrum]]
| Creates an area infested with mosquitoes. This module cannot be used without first adding the Old Man Init. module.
|-
| Old Man Market
| Old Man
| Arma 3 Apex
| [[BIS_fnc_OM_moduleMarket]]
| Player is able to shop at a synchronized container when talking to a synchronized shopkeeper. This module cannot be used without first adding the Old Man Init. module.
|-
| Old Man Random Conversations
| Old Man
| Arma 3 Apex
|
| Synchronize one or two units to talk to each other or to the player. This module cannot be used without first adding the Old Man Init. module.
|-
| Old Man Fast Travel
| Old Man
| Arma 3 Apex
| [[BIS_fnc_OM_moduleFastTravel]]
| Module for handling player Fast Travel. This module cannot be used without first adding the Old Man Init. module.
|-
| Old Man Fast Travel Position
| Old Man
| Arma 3 Apex
|
| Defines the position where the player should be transported to after Fast Travel. This module cannot be used without first adding the Old Man Init. module.
|-
|}
Total number of modules: 154


'''Export Function'''<br>
{{Wiki|extractionScript}}
<spoiler>
<syntaxhighlight lang="cpp">private _modules = "(configName inheritsFrom _x) == 'Module_F'" configClasses (configFile >> "CfgVehicles");
private _version = format ["{{GVI|arma3|%1}}",productVersion # 2 / 100];
private _export = _version + endl + "{| class='wikitable'!Module Name !!Category !!Addon !!Function !!Description|-" + endl;


{
=== {{tkoh}} ===
if ((getNumber (_x >> "scope") > 1)) then
{
private _name = getText (_x >> "displayName");
private _cat = getText (_x >> "category");
private _mod = configSourceMod _x;
private _fnc = getText (_x >> "function");
if !(_fnc isEqualTo "") then
{
_fnc = _fnc select [7];
_fnc = "[[BIS_fnc" + _fnc + "]]";
};
private _desc = getText (_x >> "ModuleDescription" >> "Description");
if (_desc isEqualTo "") then {_desc = ""};
if (_mod == "") then {_mod = "A3"};
private _modName = modParams [_mod,["name"]];
_modName = _modName select 0;
_cat = getText (configFile >> "CfgFactionClasses" >> _cat >> "displayName");
if (_cat isEqualto "") then {_cat = "Others"};


_export = _export + "|" + _name + endl + "||" + _cat + endl + "||" + _modName + endl + "||" + _fnc + endl + "||" + _desc + endl + "|-" + endl;
* [[Ambient Boats]]
};
* [[Ambient Helicopters]]
} forEach _modules;
* [[:Category:Take On Helicopters: Editor Modules|Take On Helicopters: Editor Modules]]


_export = _export + "|}";
copyToClipboard _export;</syntaxhighlight></spoiler>
== Module Documentation ==
Here you'll find link to modules which have been documented on this wiki.
=== {{arma2}} ===
*[[Simple Support Module]]
*[[Ambient Animals]]
*[[Environment - Colors]]
*[[:Category:ArmA 2: Editor Modules|Complete List]]
=== {{arma3}} ===
*[[Arma 3 Module: Sector]]
*[[Arma 3 Module: Animals]]
*[[Arma 3 Module: Combat Get In]]
*[[Arma 3 Module: Cover Map]]
*[[Arma 3 Module: Game Master]]
=== {{tkoh}} ===
*[[Ambient Boats]]
*[[Ambient Helicopters]]
*[[:Category:Take On Helicopters: Editor Modules|Complete List]]


[[Category:Arma 3: Editing]]
{{GameCategory|arma2|Editing}}
[[Category:Arma 2: Editing]]
{{GameCategory|arma3|Editing}}
[[Category:Take On Helicopters: Editing]]

Revision as of 19:40, 13 December 2022

This page can be considered a hub when it comes to Modules. Here you will find everything you need to know when it comes to creating modules, available modules in Arma 3 and existing module documentation.


General Information

  • Modules are executed before initServer.sqf, initPlayerLocal.sqf and initPlayerServer.sqf (See Initialization Order)
  • Modules are very easy to set up, even for unexperienced users
  • They can easily be used to create mission templates


Create a Module by Script

A module can be created using createUnit (do not use createVehicle or createAgent). Same as normal units, a Group must be created first.
Since Arma 3 logo black.png1.86 the variable BIS_fnc_initModules_disableAutoActivation must be set to false in its init to allow its init code to run.

Example:

private _moduleGroup = createGroup sideLogic; "ModuleSmokeWhite_F" createUnit [ getPosATL player, _moduleGroup, "this setVariable ['BIS_fnc_initModules_disableAutoActivation', false, true];" ];


Creating a Module

Arma 3 introduces a module framework which aims to simplify the configuration of modules and the way their functions are executed (Globally,JIP)

Create a Module Addon

  • Make a folder named myTag_addonName a create a config.cpp file in it.
  • Inside, declare a CfgPatches class with your addon and its modules (in the units array). Without this, the game wouldn't recognize the addon.
  • Make sure the addon and all objects start with your tag, e.g. myTag.

Example

class CfgPatches
{
	class myTag_addonName
	{
		units[] = {"myTag_ModuleNuke"};
		requiredVersion = 1.0;
		requiredAddons[] = {"A3_Modules_F"};
	};
};

Module Category

  • Modules are placed into basic categories which makes finding a desired module easier.

You can use on of the existing categories (See table to the right) or create your own category (See example below).

class displayName
Effects Effects
Events Events
Modes Gameplay Modes
GroupModifiers Group Modifiers
Intel Intel
NO_CATEGORY Misc
Multiplayer Multiplayer
ObjectModifiers Object Modifiers
Sites Sites
StrategicMap Strategic
Supports Supports

Example

class CfgFactionClasses
{
	class NO_CATEGORY;
	class myTag_explosions: NO_CATEGORY
	{
		displayName = "Explosions";
	};
};

Creating the Module Config

  • All in-game objects (soldiers, vehicles, buildings, logics, modules, ...) are defined in CfgVehicles class.
  • All modules must inherit from Module_F parent class, either directly or through some additional sub-parent.
  • Modules functions are by default not executed when in Eden Editor workspace. It can be enabled using is3DEN property, but that will also change format of function params.

Example:

class CfgVehicles
{
	class Logic;
	class Module_F: Logic
	{
		class AttributesBase
		{
			class Default;
			class Edit;					// Default edit box (i.e. text input field)
			class Combo;				// Default combo box (i.e. drop-down menu)
			class Checkbox;				// Default checkbox (returned value is Boolean)
			class CheckboxNumber;		// Default checkbox (returned value is Number)
			class ModuleDescription;	// Module description
			class Units;				// Selection of units on which the module is applied
		};

		// Description base classes (for more information see below):
		class ModuleDescription
		{
			class AnyBrain;
		};
	};

	class TAG_Module_Nuke: Module_F
	{
		// Standard object definitions:
		scope = 2;										// Editor visibility; 2 will show it in the menu, 1 will hide it.
		displayName = "Nuclear Explosion";				// Name displayed in the menu
		icon = "\TAG_addonName\data\icon_Nuke_ca.paa";	// Map icon. Delete this entry to use the default icon.
		category = "Effects";

		function = "TAG_fnc_moduleNuke";	// Name of function triggered once conditions are met
		functionPriority = 1;				// Execution priority, modules with lower number are executed first. 0 is used when the attribute is undefined
		isGlobal = 1;						// 0 for server only execution, 1 for global execution, 2 for persistent global execution
		isTriggerActivated = 1;				// 1 for module waiting until all synced triggers are activated
		isDisposable = 1;					// 1 if modules is to be disabled once it is activated (i.e. repeated trigger activation won't work)
		is3DEN = 1;							// 1 to run init function in Eden Editor as well
		curatorInfoType = "RscDisplayAttributeModuleNuke"; // Menu displayed when the module is placed or double-clicked on by Zeus

		// Module attributes (uses https://community.bistudio.com/wiki/Eden_Editor:_Configuring_Attributes#Entity_Specific):
		class Attributes: AttributesBase
		{
			// Arguments shared by specific module type (have to be mentioned in order to be present):
			class Units: Units
			{
				property = "TAG_Module_Nuke_Units";
			};

			// Module-specific arguments:
			class Yield: Combo
			{
				property = "TAG_Module_Nuke_Yield";				// Unique property (use "<tag>_<moduleClass>_<attributeClass>" format to ensure that the name is unique)
				displayName = "Nuclear weapon yield";			// Argument label
				tooltip = "How strong will the explosion be";	// Tooltip description
				typeName = "NUMBER";							// Value type, can be "NUMBER", "STRING" or "BOOL"
				defaultValue = "50";							// Default attribute value. Warning: This is an expression, and its returned value will be used (50 in this case).

				// Listbox items:
				class Values
				{
					class 50Mt	{ name = "50 megatons";	value = 50; };
					class 100Mt	{ name = "100 megatons"; value = 100; };
				};
			};

			class Name: Edit
			{
				displayName = "Name";
				tooltip = "Name of the nuclear device";
				// Default text for the input box:
				defaultValue = """Tsar Bomba"""; // Because this is an expression, one must have a string within a string to return a string
			};

			class ModuleDescription: ModuleDescription{}; // Module description should be shown last
		};

		// Module description (must inherit from base class, otherwise pre-defined entities won't be available):
		class ModuleDescription: ModuleDescription
		{
			description = "Short module description";	// Short description, will be formatted as structured text
			sync[] = {"LocationArea_F"};				// Array of synced entities (can contain base classes)

			class LocationArea_F
			{
				description[] = { // Multi-line descriptions are supported
					"First line",
					"Second line"
				};
				position = 1;	// Position is taken into effect
				direction = 1;	// Direction is taken into effect
				optional = 1;	// Synced entity is optional
				duplicate = 1;	// Multiple entities of this type can be synced
				synced[] = {"BluforUnit", "AnyBrain"}; // Pre-defined entities like "AnyBrain" can be used (see the table below)
			};

			class BluforUnit
			{
				description = "Short description";
				displayName = "Any BLUFOR unit";	// Custom name
				icon = "iconMan";					// Custom icon (can be file path or CfgVehicleIcons entry)
				side = 1;							// Custom side (determines icon color)
			};
		};
	};
};
↑ Back to spoiler's top

2D Editor: The description is available after clicking on "Show Info" button when editing the module
Eden Editor: The description is available after opening the modules' attributes window

Pre-defined sync preview entities can be:

Class Descripton
Anything Any object - persons, vehicles, static objects, etc.
AnyPerson Any person. Not vehicles or static objects.
AnyVehicle Any vehicle. No persons or static objects.
GroupModifiers Group Modifiers
AnyStaticObject Any static object. Not persons or vehicles.
AnyBrain Any AI or player. Not empty objects
AnyAI Any AI unit. Not players or empty objects
AnyPlayer Any player. Not AI units or empty objects
EmptyDetector Any trigger

Configuring the Module Function

Example

class CfgFunctions
{
	class myTag
	{
		class Effects
		{
			file = "\myTag_addonName\functions";
			class moduleNuke{};
		};
	};
};

Writing the Module Function

  • Create the functions folder within the addon folder and place *.sqf or *.fsm files there.
  • Example: \myTag_addonName\functions\fn_moduleNuke.sqf
  • Input parameters differ based on value of is3DEN property.

Default Example (is3DEN = 0)

// Argument 0 is module logic. _logic = param [0,objNull,[objNull]]; // Argument 1 is list of affected units (affected by value selected in the 'class Units' argument)) _units = param [1,[],[[]]]; // True when the module was activated, false when it is deactivated (i.e., synced triggers are no longer active) _activated = param [2,true,[true]]; // Module specific behavior. Function can extract arguments from logic and use them. if (_activated) then { // Attribute values are saved in module's object space under their class names _bombYield = _logic getVariable ["Yield",-1]; // (as per the previous example, but you can define your own.) hint format ["Bomb yield is: %1", _bombYield ]; // will display the bomb yield, once the game is started }; // Module function is executed by spawn command, so returned value is not necessary, but it is good practice. true;

Example Eden Editor (is3DEN = 1)

When is3DEN = 1 is set in module config, different, more detailed params are passed to the function.

_mode = param [0,"",[""]]; _input = param [1,[],[[]]]; switch _mode do { // Default object init case "init": { _logic = _input param [0,objNull,[objNull]]; // Module logic _isActivated = _input param [1,true,[true]]; // True when the module was activated, false when it is deactivated _isCuratorPlaced = _input param [2,false,[true]]; // True if the module was placed by Zeus // ... code here... }; // When some attributes were changed (including position and rotation) case "attributesChanged3DEN": { _logic = _input param [0,objNull,[objNull]]; // ... code here... }; // When added to the world (e.g., after undoing and redoing creation) case "registeredToWorld3DEN": { _logic = _input param [0,objNull,[objNull]]; // ... code here... }; // When removed from the world (i.e., by deletion or undoing creation) case "unregisteredFromWorld3DEN": { _logic = _input param [0,objNull,[objNull]]; // ... code here... }; // When connection to object changes (i.e., new one is added or existing one removed) case "connectionChanged3DEN": { _logic = _input param [0,objNull,[objNull]]; // ... code here... }; // When object is being dragged case "dragged3DEN": { _logic = _input param [0,objNull,[objNull]]; // ...code here... }; }; true;

↑ Back to spoiler's top


Module Properties

Arma 3
If you use the Eden Editor please visit Eden Editor: System.
Property Name Description
Name The name of a module can be used to refer to the object in script code. Like all variable names, the name must not contain any spaces or reserved characters. You should try to make it something meaningful and avoid conflicts. Note that if a variable exists with an identical name, no warning will be given and the name will refer to the variable first, rather than the named unit. If you copy and paste a named entity, the duplicate will be automatically have an underscore and number appended to it is name to avoid conflicts.
Initialization Any script code placed in this box will be executed as the mission begins. Script code is extremely powerful and useful - it allows you to create many effects and change aspects of the mission that would not be possible using only the graphical interface of the mission editor. For example, to make a soldier begin the mission unarmed, add "removeAllWeapons this" (without the quotation marks) to it is initialization string. Any expressions in the initialization field must return nothing, or an error message will prevent the unit dialogue from closing.
Description The description property is not used by modules. However, it is used by some functions and it changes the tooltip in Eden Editor when hovering over the module icon.
Probability of Presence Defines how likely it is that the entity will exist each time the mission is played. This can be used to add a bit of randomness to missions. Moving the slider all the way to the right means the object will always be there, all the way to the left means the unit will never appear. Note the Condition of Presence must also return true if the entity is to appear in the mission.
Condition of Presence This is a script code condition which must return true in order for the object to appear in the mission. By default this reads "true" which means the object will appear as defined by it is Probability of Presence. For an example, if you wanted a unit to appear only if the mission is being played in Veteran mode, place "!cadetMode" (without quotation marks) in it is Condition of Presence box. A unit with a Condition of Presence that returns false will not exist in the mission, irrespective of its Probability of Presence.
Placement Radius Changes the object's starting position to a random point within a circle of this radius, in metres. This can be used to add some randomness to your mission. For grouped units, the placement radius is only used by the group leader, and group members with a special setting of None (or In Cargo for a group without suitable vehicle).


Module Documentation

Here you find links to modules which are documented on this wiki.

Arma 2

Arma 3

Last updated: Arma 3 logo black.png2.10

Module Name Category Addon Function Description
Hide Terrain Objects Environment Arma 3 BIS_fnc_moduleHideTerrainObjects
Edit Terrain Object Environment Arma 3 BIS_fnc_moduleEditTerrainObject
Timeline Keyframe Animation Arma 3
Rich Curve Keyframe Animation Arma 3
Rich Curve Key Keyframe Animation Arma 3
Rich Curve Key Control Point Keyframe Animation Arma 3
Camera Keyframe Animation Arma 3
Smoke Grenade Effects Arma 3 BIS_fnc_moduleGrenade Create a smoke shell.
Chem light Effects Arma 3 BIS_fnc_moduleGrenade Create a chem light.
Tracers Effects Arma 3 BIS_fnc_moduleTracers Shoot tracers upwards to create an illusion of battle.
Plankton Effects Arma 3 BIS_fnc_moduleEffectsEmitterCreator Plankton module creates an underwater plankton effect around player.
Bubbles Effects Arma 3 BIS_fnc_moduleEffectsEmitterCreator Creates underwater bubbles on position of the module. Unless you set the position of the module manually (via script commands), bubbles will be created at the bottom.
Cartridges Effects Arma 3 BIS_fnc_moduleEffectsEmitterCreator Creates empty cartridges on the position of the module.
Smoke Effects Arma 3 BIS_fnc_moduleEffectsEmitterCreator Creates smoke on a position of the module.
Fire Effects Arma 3 BIS_fnc_moduleEffectsEmitterCreator Creates fire on a position of the module.
Date Events Arma 3 BIS_fnc_moduleDate Set mission date.
Weather Environment Arma 3 BIS_fnc_moduleWeather Set mission weather. Certain changes can take some time to appear.
Save Game Events Arma 3 BIS_fnc_moduleSaveGame Set the mission progress. Will replace the previous automatic save. User save won't be affected.
Radio Chat Events Arma 3 BIS_fnc_moduleChat Show a chat message.
Volume Events Arma 3 BIS_fnc_moduleVolume Set mission sound/music volume. Changes won't affect user options.
Generic radio message Events Arma 3 BIS_fnc_moduleGenericRadio Show a chat message.
Set Callsign Group Modifiers Arma 3 BIS_fnc_moduleGroupID Assign group callsign. Each group has to have a unique callsign - assigning an existing one will remove it from the group which used it previously.
Combat Get In Group Modifiers Arma 3 BIS_fnc_moduleCombatGetIn
High Command - Commander Others Arma 3 Set person as a high commander, giving him an ability to control whole groups.
Skip time Environment Arma 3 BIS_fnc_moduleSkiptime Skip mission time.
Create Task Intel Arma 3 BIS_fnc_moduleTaskCreate Add a task to synced objects or to larger pool of units.
Set Task Description Intel Arma 3 BIS_fnc_moduleTaskSetDescription Set task description.
Set Task Destination Intel Arma 3 BIS_fnc_moduleTaskSetDestination Set task destination.
Set Task State Intel Arma 3 BIS_fnc_moduleTaskSetState Set task state.
Create Diary Record Intel Arma 3 BIS_fnc_moduleCreateDiaryRecord Create a diary record for synced objects or for larger a pool of units.
Headquarters Entity Intel Arma 3 BIS_fnc_moduleHQ Virtual headquarters unit which can be used for playing radio messages.
Military Symbols Others Arma 3
Zone Restriction Others Arma 3 BIS_fnc_moduleZoneRestriction Set punishment for leaving the Area of Operation.
Trident Others Arma 3 BIS_fnc_moduleTrident Set diplomacy options. When involved sides start killing each other, they won't be punished by a negative rating. Once too many kills are reached, the sides will turn hostile.
Unlock Object Others Arma 3 BIS_fnc_moduleUnlockObject Unlock addons of synced objects for the curator. E.g., when synced to a BLUFOR soldier, all BLUFOR soldiers will be unlocked, because they belong to the same addon.
Unlock Area Others Arma 3 BIS_fnc_moduleUnlockArea Unlock area for curator unit spawning.
Friendly Fire Others Arma 3 BIS_fnc_moduleFriendlyFire Set punishment for killing friendly units.
Sector Multiplayer Arma 3 BIS_fnc_moduleSector
Respawn Position Multiplayer Arma 3 BIS_fnc_moduleRespawnPosition Add a respawn position.
Vehicle Respawn Multiplayer Arma 3 BIS_fnc_moduleRespawnVehicle Set vehicle respawn parameters.
Show / Hide Object Modifiers Arma 3 BIS_fnc_moduleShowHide Show/hide synced objects. They will become invisible and their simulation will be disabled.
Set Position / Rotation Object Modifiers Arma 3 BIS_fnc_modulePositioning Set position and rotation of synced objects.
Set Skill Object Modifiers Arma 3 BIS_fnc_moduleSkill Set AI skill of synced objects. Has no effect on players.
Set Character Damage Object Modifiers Arma 3 BIS_fnc_moduleHealth Set damage of synced persons.
Set Vehicle Damage Object Modifiers Arma 3 BIS_fnc_moduleDamage Set damage of synced vehicles.
Set Vehicle Fuel Object Modifiers Arma 3 BIS_fnc_moduleFuel Set fuel of synced vehicles.
Set Ammo Object Modifiers Arma 3 BIS_fnc_moduleAmmo Set total ammo of synced objects. Affects only ammo of their weapons, not ammo carried in cargo space (e.g., ammo boxes).
Set Mode Object Modifiers Arma 3 BIS_fnc_moduleMode Set behavior pattern of synced objects.
Set Rank Object Modifiers Arma 3 BIS_fnc_moduleRank Set military rank of synced objects.
Set AI Mode Object Modifiers Arma 3 BIS_fnc_moduleAI Enable/disable AI modes.
Add Rating / Score Object Modifiers Arma 3 BIS_fnc_moduleRating Add rating to synced objects. Rating is automatically awarded for killed enemies and players can see it in the debriefing screen. Shooting friendlies will lead to a negative rating and turning hostile to your own units.
Open / Close Doors Object Modifiers Arma 3 BIS_fnc_moduleDoorOpen Open/close door of synced objects.
Simulation Manager Object Modifiers Arma 3 BIS_fnc_moduleSimulationManager Keep all AI units disabled until someone from the player's group gets near.
Open Strategic Map Strategic Arma 3 BIS_fnc_moduleStrategicMapOpen Open a strategic map.
Support Requester Supports Arma 3 BIS_fnc_moduleSupportsInitRequester Supports framework. A support requester unit has to be synchronized with the Requester module. The Requester module has to be synchronized with Provider module(s). A Provider module has to be synchronized with a support provider unit(s), unless a Virtual Provider module is used.
Firing Drill Firing Drills Arma 3 BIS_fnc_moduleFiringDrill
Posters Others Arma 3 BIS_fnc_modulePoster Creates posters and leafets on walls of buildings. Those buildings are made indestructible.
Animals Others Arma 3 Zeus BIS_fnc_moduleAnimals Creates a group of animals and handles their basic behavior. Deleting the module will delete the animals as well.
Close Air Support (CAS) Effects Arma 3 Zeus BIS_fnc_moduleCAS Send an air strike on the module position. It will take a few seconds before the plane arrives at the module's position. Unless it is destroyed, it will be deleted after flying away.
Game Master Zeus Arma 3 Zeus BIS_fnc_moduleCurator Zeus logic which provides access to the 3D real-time editor.
Manage Addons Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddAddons Manage addons (i.e. object packs) available to Zeus.
Manage Resources Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddPoints Add or subtract resources available to Zeus. They are required for placing or editing objects.
Add Editing Area Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddEditingArea Add an area inside of which Zeus is allowed to place or edit objects.
Restrict Editing Around Players Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddEditingAreaPlayers
Set Editing Area Type Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetEditingAreaType Set whether editing in all editing areas is allowed or restricted.
Add Camera Area Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddCameraArea Add an area inside of which Zeus can move with the camera.
Set Camera Position Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetCamera Move the Zeus camera to the module position.
Add Editable Objects Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddEditableObjects Add objects which Zeus can edit.
Set Editing Costs Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetCoefs Set coefficients for operations Zeus can perform. The object cost is multiplied by these. Use a large negative value (e.g. -1e10) to disable the operation.
Set Costs (Default) Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetCostsDefault
Set Costs (Side) Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetCostsSide Simplified definition of object costs. Can be combined with other "Set Costs" modules (e.g., cost of a BLUFOR soldier can be defined by "Set Costs - Sides" and "Set Costs - Soldiers & Vehicles" module. All matching values are multiplied together).
Set Costs - Soldiers & Vehicles Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetCostsVehicleClass Simplified definition of object costs. Can be combined with other "Set Costs" modules (e.g., cost of a BLUFOR soldier can be defined by "Set Costs - Sides" and "Set Costs - Soldiers & Vehicles" module. All matching values are multiplied together).
Add Icon Zeus Arma 3 Zeus BIS_fnc_moduleCuratorAddIcon Show icon visible only to a specific Zeus.
Set Attributes - Objects Zeus Arma 3 Zeus BIS_fnc_moduleCuratorSetAttributes Set which attributes are available for objects. The attribute window is accessed when Zeus double-clicks LMB on an object.
Post-Process Environment Arma 3 Zeus BIS_fnc_modulePostprocess Set a scene Post-Processing effect (e.g. color correction or film grain)
IR Grenade Effects Arma 3 Zeus BIS_fnc_moduleGrenade
Time Acceleration Environment Arma 3 Zeus BIS_fnc_moduleTimeMultiplier
Flare Effects Arma 3 Zeus BIS_fnc_moduleProjectile Creates a signal flare on the module position (visible only at night).
End Scenario Scenario Flow Arma 3 Zeus BIS_fnc_moduleEndMission End the scenario for all players.
Scenario Name Scenario Flow Arma 3 Zeus BIS_fnc_moduleMissionName Set the scenario name. It's shown to every player upon joining and after each respawn.
Zeus Lightning Bolt Zeus Arma 3 Zeus BIS_fnc_moduleLightning Creates a lightning strike powerful enough to destroy an object where it impacts.
Cover Map Others Arma 3 Zeus BIS_fnc_moduleCoverMap Highlight an Area of Operations in the map by enclosing it and covering the unused part.
Create Radio Channel Others Arma 3 Zeus BIS_fnc_moduleRadioChannelCreate Creates a custom radio channel for the given sides / Zeus players.
Zone Protection Scenario Flow Arma 3 Zeus BIS_fnc_moduleZoneProtection Prevents players from entering the given area.
Countdown Scenario Flow Arma 3 Zeus BIS_fnc_moduleCountdown
Respawn Tickets Scenario Flow Arma 3 Zeus BIS_fnc_moduleRespawnTickets Set the number of respawn tickets available to each side.
Bleed Tickets Scenario Flow Arma 3 Zeus BIS_fnc_moduleBleedTickets Allow ticket bleeding when one side is holding the majority of sectors.
Ordnance Effects Arma 3 Zeus BIS_fnc_moduleProjectile Create an artillery shell on the module position. It will take a few seconds until it hits the ground.
Time Trial Time Trials Arma 3 Karts BIS_fnc_moduleTimeTrial
Spawn AI Others Arma 3 Helicopters BIS_fnc_moduleSpawnAI
Spawn AI: Spawnpoint Others Arma 3 Helicopters BIS_fnc_moduleSpawnAIPoint
Spawn AI: Sector Tactic Others Arma 3 Helicopters BIS_fnc_moduleSpawnAISectorTactic
Spawn AI: Options Others Arma 3 Helicopters BIS_fnc_moduleSpawnAIOptions
Sling Load Others Arma 3 Helicopters BIS_fnc_moduleSlingload
EndGame Objectives Instance Objectives Arma 3 Marksmen BIS_fnc_moduleHvtObjectives
End Game Simple Objective Objectives Arma 3 Marksmen BIS_fnc_moduleHvtObjectives
End Game Start Game Objective Objectives Arma 3 Marksmen BIS_fnc_moduleHvtObjectives
End Game - End Game Objective Objectives Arma 3 Marksmen BIS_fnc_moduleHvtObjectives
Combat Patrol Init Combat Patrol Arma 3 Malden BIS_fnc_CPInit Initializes the Combat Patrol mode upon scenario start.
Combat Patrol Location Add Combat Patrol Arma 3 Malden Adds a new selectable location to the map.
Combat Patrol Location Remove Combat Patrol Arma 3 Malden Removes the nearest location in a 1000m radius from the map selection.
Combat Patrol Location Reposition Combat Patrol Arma 3 Malden Moves the nearest location in a 1000m radius to this module's position.
Combat Patrol Azimuth Blacklist Combat Patrol Arma 3 Malden Blacklists the nearest location's in a 1000m radius azimuth range so it can't be used for the starting / ending position or reinforcements spawning point.
Civilian Presence Ambient Arma 3 Tac-Ops BIS_fnc_moduleCivilianPresence
Civilian Presence Spawnpoint Ambient Arma 3 Tac-Ops BIS_fnc_moduleCivilianPresenceUnit
Civilian Presence Position Ambient Arma 3 Tac-Ops BIS_fnc_moduleCivilianPresenceSafeSpot
Vanguard: Starting Area Gameplay Modes Arma 3 Tanks BIS_fnc_moduleVanguardFob
Vanguard: Score Persistence Gameplay Modes Arma 3 Tanks BIS_fnc_moduleVanguardScorePersistence
Vanguard: Objective Area Gameplay Modes Arma 3 Tanks BIS_fnc_moduleVanguardObjective
Old Man Sector Old Man Arma 3 Apex Module for configuring sectors. All vehicles and groups placed inside will be persistently spawned. Sectors must not overlap! This module cannot be used without first adding the Old Man Init. module.
Old Man Patrol Area Old Man Arma 3 Apex Module for randomly spawning groups in an area. Groups that have some unit synchronized are used as a template; units will randomly spawn in positions inside the patrol area. If you synchronize multiple groups, a random group will be selected. This module cannot be used without first adding the Old Man Init. module.
Old Man Restricted Area Old Man Arma 3 Apex Sets up restricted areas which will raise player's threat level if seen within it. This module cannot be used without first adding the Old Man Init. module.
Old Man Relationship Old Man Arma 3 Apex Set up the relationship with a given side. Do not set up for player's own side. This module cannot be used without first adding the Old Man Init. module.
Old Man QRF Others Arma 3 Apex QRF Module. Synchronized units will be spawned on QRF activation. Only one instance of the module is allowed. It cannot be used without first adding the Old Man Init. module.
Old Man Smart Markers Old Man Arma 3 Apex BIS_fnc_OM_moduleSmartMarkers Managing smart marker enhancements, interactive smart marker compositions, and LODing of the information. This module cannot be used without first adding the Old Man Init. module.
Old Man Insurgent Agent Old Man Arma 3 Apex BIS_fnc_OM_moduleSyndikatAgent Module manages insurgent resources. It generates attack events. It cannot be used without first adding the Old Man Init. module.
Old Man Insurgent Team Old Man Arma 3 Apex BIS_fnc_OM_moduleSyndikatTeam Manages size of insurgent teams and income. This module cannot be used without first adding the Old Man Init. module.
Old Man Insurgent Camp Position Old Man Arma 3 Apex Defines the placement of a camp. Synchronize the position with a unit, which will serve as a template for the unit actually spawned in the camp. Behavior and waypoints will be inherited, as well as code from any synchronized init. script module. It cannot be used without first adding the Old Man Init. module.
Old Man Economy Old Man Arma 3 Apex BIS_fnc_OM_moduleEconomy Manage player income and starting money. This module cannot be used without first adding the Old Man Init. module.
Oldman Action Queue Old Man Arma 3 Apex BIS_fnc_OM_moduleActionQueue Action Queue can be used for the sequential execution of actions (scripts, dialogues) in a non-specified time.
Old Man Radio Old Man Arma 3 Apex BIS_fnc_OM_moduleRadio Sets parameters for radio stations and what content will be aired. This module cannot be used without first adding the Old Man Init. module.
Old Man Reputation Old Man Arma 3 Apex BIS_fnc_OM_moduleReputation Reputation calculated in conjunction with the Relationship module. This module cannot be used without first adding the Old Man Init. module.
Old Man Awareness Old Man Arma 3 Apex BIS_fnc_OM_moduleAwareness Player's awareness regarding his relationship to the enemy via ambient radio chatter. This module cannot be used without first adding the Old Man Init. module.
Old Man Protected Vehicle Old Man Arma 3 Apex Vehicle that will be marked as stolen by a given side. It will elicit an appropriate response if taken. Note that all CSAT, NATO, and Gendarmerie vehicles are registered by default. This module must be synchronized to a vehicle. It cannot be used without first adding the Old Man Init. Module.
Old Man Init. Script Old Man Arma 3 Apex Init. script applied to any unit synchronized with a module. Do not use system: Init. field. Instead, use the field in the lower part of the module. Script will be called every time a unit in the sector is created.
Old Man Init. Old Man Arma 3 Apex BIS_fnc_OM_init Integral module for Old Man, enabling all functionality. If you create a new mission, do not forget the common description.ext to enable the rest of the functions.
It is possible to include other missions directly into this mission. You must have them all in one folder, with the path mapped in this module. Furthermore, in each mission folder, you must have the missionName.sqf file included. For the name of the included mission, use the mission name, without the accompanying terrain suffix.
Old Man Night Old Man Arma 3 Apex Synchronize units you want to spawn to the closest sector. According to the module settings, synchronized units will remain at night. Use this module for each sector that should be different from a sector in the daytime. It cannot be used without first adding the Old Man Init. module.
Old Man Intel Old Man Arma 3 Apex Module for creating collectible intel. It adds a new diary record and can reveal sector markers. It cannot be used without first adding the Old Man Init. module.
Old Man Tracked Device Old Man Arma 3 Apex Synchronize this module with any object that should be audible on the player's phone's geo-finder. The module itself will only prime the object. It will be despawned after. Do not use on vehicles or units inside a sector which can be despawned. This module cannot be used without first adding the Old Man Init. module.
Old Man Drop-off Point Old Man Arma 3 Apex BIS_fnc_OM_moduleDepot Player is able to unload/sell equipment inside of the sector area. Synchronize a container so it can be used to store items from inventory. This module cannot be used without first adding the Old Man Init. module.
Old Man Rest Point Old Man Arma 3 Apex BIS_fnc_OM_moduleRestPoint Player is able to rest at synchronized object(s). This module cannot be used without first adding the Old Man Init. module.
Old Man Mosquitoes Old Man Arma 3 Apex BIS_fnc_OM_Epicentrum Creates an area infested with mosquitoes. This module cannot be used without first adding the Old Man Init. module.
Old Man Market Old Man Arma 3 Apex BIS_fnc_OM_moduleMarket Player is able to shop at a synchronized container when talking to a synchronized shopkeeper. This module cannot be used without first adding the Old Man Init. module.
Old Man Random Conversations Old Man Arma 3 Apex Synchronize one or two units to talk to each other or to the player. This module cannot be used without first adding the Old Man Init. module.
Old Man Fast Travel Old Man Arma 3 Apex BIS_fnc_OM_moduleFastTravel Module for handling player Fast Travel. This module cannot be used without first adding the Old Man Init. module.
Old Man Fast Travel Position Old Man Arma 3 Apex Defines the position where the player should be transported to after Fast Travel. This module cannot be used without first adding the Old Man Init. module.

Total number of modules: 154

Extraction script can be found on the Biki Export Scripts page.

Take On Helicopters