Introduction
This article discusses CLI plugins that can be hooked into the Titanium CLI. With a plugin, you can either create your own CLI command or hook into existing CLI commands using functions or events. Plugins can either be available globally or on a per-project basis. These APIs are supported with the Titanium CLI 3.1.0 and SDK Release 3.1.0 and later unless otherwise specified.
Plugins
Structure
Create a folder for your plugin.  You can optionally include a version
              folder directly under the plugin folder.  Create a commands folder for your CLI plugin commands and a hooks folder for your CLI plugin hooks.  Both of these folders will contain
              JavaScript files that implement your commands or hooks, respectively.  Currently,
              the package.json file is not used.
The CLI executes each JavaScript file in the commands and hooks directory.  If you have a JavaScript file with helper functions,
              place that file in a directory that is not named commands or hooks.  For example, in the file structure below, a helper library is placed
              in the libs folder.
| myplugin└── 1.0    ├── commands    │   └── mycommand.js    ├── hooks    │   └── myhook.js    ├── libs    │   └── helper.js    └── package.json | 
Using a Plugin
Plugins can either be global or required in per project.
To include a plugin globally, add the paths to CLI configuration options paths.commands and paths.hooks.  For example, run the following CLI commands to add the command
              and hook files: 
| ti config -a paths.commands /path/to/myplugin/1.0/commands/ti config -a paths.hooks /path/to/myplugin/1.0/hooks | 
These command and hooks will be executed each time you run the Titanium CLI.
To include a plugin for a specific project:
- Create a folder called pluginsin your Titanium project. This will be at the same-level as theResourcesfolder.
- Copy your plugin to the pluginsfolder.
- Open your tiapp.xmlfile.
- 
                Add your plugin information to the plugins section. Specify the plugin's folder name as node text of the plugin element. You can optionally specify the version attribute to use a specific version of the plugin. For example: <plugins><plugin version="1.0">myplugin</plugin></plugins></ti:app>
This plugin will be executed each time the project is built. Note that only hooks are supported when required in locally.
Commands
To add a command to the CLI, you need to create a JavaScript file in your
              plugin's commands folder and add the path of the file to the paths.commands CLI configuration setting.  The name of the JavaScript file is used as the command name.  This
              command file registers with the CLI help command to output your commands
              options based on the exported properties defined in the command file and
              the object returned by the command's exported config method.  The CLI automatically performs validation against the options
              you specify in the command file.
              
| // Indicates supported CLI version for the command// This command must be ran with CLI 3.2.0 or laterexports.cliVersion = ">=3.2";// Short help description: ti helpexports.desc = "sample custom CLI command";// Extended help description: ti mycommand --helpexports.extendedDesc = "Prints a message to the console depending on the options used"; // Used by the CLI to retrieve the help information// Return a JSON object describing the available options and flagsexports.config = function(logger, config, cli) {    return{        // Set to false if the user should be logged in to execute the command        noAuth: true,        // Set to false if you want to output the CLI banner        skipBanner: true,        // Add your command-line flags         flags: {            // Name of flag            foobar: {                // Flag shorthand                abbr: 'F',                // Help description                desc: 'Print out, "Hello, World!"'            }        },        // Add your command-line options        options: {            // Name of option            type: {                // Option shorthand                abbr: 'T',                // Default value                default: 'bar',                // Help description                desc: 'Specify the foo type',                // Possible options values                // CLI does automatic validation against these values                values: ['bar', 'baz']            }        }    };}; // Executed after calling the command but before running it// Use to validate command-line options and flagsexports.validate = function(logger, config, cli) {    // Use the cli.argv property to retrieve the passed in options}; // Executed after calling the command and after the validate methodexports.run = function(logger, config, cli) {    if(cli.argv.foobar) {        logger.log("Hello, World!");    }    else{        logger.log("I pity the foo"+ cli.argv.type + "!");    }}; | 
CLI Command API
All of the following APIs are optional.  Prepend the APIs with the
              exports variables to expose them as public.
Properties
cliVersion: String
              Specify which version(s) of the CLI the command supports.  For example,
              "3.2.0" specifies the command only supports version 3.2.0, while
              ">=3.2.0" specifies the command supports version 3.2.0 and
              greater.
desc: String
              Defines the shorthand help description of the command when executing titanium --help.
extenededDesc: String
              Defines the extended help description of the command when using the --help option with the command.
title: String
              Title to display in the help menu.  If not specified, the filename
              is used (without the extension). 
Functions
config
Use the config method to define the command-line options and flags for the command.  The
              CLI uses the information returned by this method to output information
              to the help command and provide basic validation of the command-line options.
| config (Object logger, Object config, Object cli): Object | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| logger | Object | Handle to the logger object. See logger. | 
| config | Object | CLI configuration options. Same properties as reported by the titanium configcommand. | 
| cli | Object | Handle to the CLI object. See cli. | 
Returns:
Returns an object specifying the commands configurable options. All properties are optional.
| Name | Type | Description | ||||||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| noAuth | Boolean | If set to true, the user does not need to be logged in to use the command. If set to false, the user is required to be logged in to use the command. | ||||||||||||||||
| skipBanner | Boolean | If set to true, the CLI's banner message is not outputted to the console. If set to false, the CLI's banner message is outputted to the console when the command is executed. | ||||||||||||||||
| flags | Object | Contains key-value pairs for the command-line flags. The key is the name of the flag, while the value is an object with the following optional key-value pairs: 
 
 Example: 
 | ||||||||||||||||
| options | Object | Contains key-value pairs for the command-line options. The key is the name of the option, while the value is an object with the following optional key-value pairs: 
 
 Example: 
 | 
validate
Use the validate method to execute code after the command is invoked but before actually
              running the command.  This method can be used to provide advance validation
              of the command-line options.
| validate (Object logger, Object config, Object cli): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| logger | Object | Handle to the logger object. See logger. | 
| config | Object | CLI configuration options. Same properties as reported by the titanium configcommand. | 
| cli | Object | Handle to the CLI object. See cli. | 
run
Use the run method to execute the command when it is invoked.
| run (Object logger, Object config, Object cli): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| logger | Object | Handle to the logger object. See logger. | 
| config | Object | CLI configuration options. Same properties as reported by the titanium configcommand. | 
| cli | Object | Handle to the CLI object. See cli. | 
Function and Event Hooks
CLI hooks allow you to execute code when the CLI commands are invoked. Hooks are evaluated for every command regardless if they are used or not. The build, clean and create commands have additional hooks compared to the other CLI commands. Hooks are available as either functions or events.
Functions are designed to modify the build process by modifying the build arguments and results. Functions have a pre and post callbacks, which are executed before and after a execution step. By default, the function is a post callback if you only specify one. The callbacks are passed in a data object and a callback. Both parameters are optional. After you are done executing your function hook and if you passed in the callback, invoke the callback function and pass it an error and data object. If you do not invoke the callback, the CLI process stops and cannot continue to the next step.
E vents are not designed to modify the build process and can only stop the
              build process using the process.exit() method.  Event hooks only execute one callback.  The callback
              is passed a builder object and a callback.  After you are done executing
              your event hook, invoke the callback function without any parameters.
To add a hook to the CLI, create a JavaScript file in your plugin's hooks folder.  To globally add the hook to always be executed, add the path of the file
              to the  paths.commands  CLI configuration setting.  To add it locally to a project,
              add the plugin containing the hook to your project and add a plugin entry
              to the project's tiapp.xml file.   Note that local hooks cannot call
              every hook event.  The earliest hook a local plugin can call is cli:post-validate.
In the hook file, call the init method to setup your hook events and functions.  Use the CLI object's on method to bind hook events and functions to callbacks.  This is explained
              in further detail in the next section.
For multiple executed hooks, set the priority to change when the hook is executed. By default, all hooks have a priority value of 1000. A hook with a lower priority value is executed before one with a higher priority.
Listening to Hooks
In the init method of the hook, use the passed in CLI object to bind your methods
              to hook events or functions by using the CLI object's on method.  The on method is similar to addEventListener.  The first parameter is the name of the hook event or function;
              and the second parameter is either the callback function, or a JavaScript
              object that contains the callback function(s) and optionally a priority
              value.
The callback function can either be passed nothing, a data object or a
              data object and a callback function.  If the callback function is
              passed, you need to invoke it with an err and data object after executing the hook.
| exports.cliVersion = ">=3.2";exports.init = function(logger, config, cli, nodeappc) {     // Function or event hook    cli.on(hookName, function(data) {         /* Do some stuff */    });     // Function or event hook    cli.on(hookName, function(data, callback) {        /* Do some stuff */        callback(err, data);    });     // Function hook only    cli.on(hookName, {        priority: 999,        pre: function() { ... },        post: function() { ... }    });}; | 
Order of Hooks
When invoking a CLI command, the hooks are fired in the order below if
              a global plugin is loaded. For local plugins, hooks can only be monitored
              starting with the cli:post-validate event hook.
Certain commands, such as the build, clean or create command, fire additional hook events. For builds, the events vary by platform, and whether you are building a production application or not.
- Invoke a CLI command
- cli:go (First hook that can be monitored by global plugins)
- [command.config] if invoking the build, clean or create command
- cli:command-loaded
- cli:pre-validate
- CLI displays its banner message.
- cli:post-validate (First hook that can be monitored by local plugins)
- cli:pre-execute
- [help:header] if the help menu is invoked
- cli:post-execute or other command hooks if invoking the build, clean or create command (see description below)
Android build hooks
The following hooks are fired after the cli:pre-execute hook when building a project for the Android platform:
- build.pre.construct
- build.pre.compile
- build.android.startEmulator
- build.android.copyResource (all builds) / build.android.compileJsFile (device and distribution builds only)
- build.android.titaniumprep (device and distribution builds only)
- build.android.writeAndroidManifest
- build.android.aapt
- build.android.javac
- build.android.proguard (requires special settings)
- build.android.dexer
- build.android.jarsigner
- build.android.zipalign
- build.post.compile
- build.finalize
iOS build hooks
The following hooks are fired after the cli:pre-execute hook when building a project for the iOS platform:
- build.pre.construct
- build.pre.compile
- build.ios.copyResource (all builds) / build.ios.compileJsFile (device and distribution builds only)
- build.ios.prerouting (device and distribution builds only)
- build.ios.titaniumprep (device and distribution builds only)
- build.ios.xcodebuild
- build.ios.writeEntitlements
- build.ios.writeExtensionEntitlements
- build.ios.writeBuildManifest
- build.post.compile
- build.finalize
Other platform build hooks
The following hooks are fired after the cli:pre-execute hook when building a project for non-Android or non-iOS platforms:
- build.pre.construct
- build.pre.compile
- build.post.compile
- build.finalize
Examples
Execute a Script Before Building a Project
The following example checks for a custom application property in the tiapp.xml file and executes a script before starting the build process. If the return code returned by the script is non-zero, the CLI stops.
| exports.init = function(logger, config, cli, nodeappc) {    cli.on("build.pre.construct", function() {        // Check for a custom tiapp property: <property name="fooFeature">true</property>        if(cli.tiapp.properties.fooFeature && cli.tiapp.properties.fooFeature.value
                              == 'true') {            varrv = exec("bash foo.sh");            if(rv.code) {                logger.error("Script returned the following error code: "+ rv.code);                process.exit();            }        }       });}; | 
Modify Android Dexer Command
The following example modifies the arguments passed to the dexer command if the correct module is included in the project.
| exports.init = function(logger, config, cli, nodeappc) {    cli.on("build.android.dexer", { pre: function(data, next) {        logger.log("build.android.dexer - com.foo.mymodule modifications".yellow);        // Helper function to locate compatible modules        nodeappc.timodule.find(            cli.tiapp.modules,           
                              // Modules included in the project            'android',            data.ctx.deployType,         
                              // Current deploy type            data.ctx.titaniumSdkVersion,  // Titanium SDK version used to build the project             config.paths.modules,         // Additional module search paths, searches TiSDK install directories by
                              default            logger,            function(modules) {                // Callback to cycle through found modules                for(vari = 0; i < modules.found.length; i++) {                    if(modules.found[i].id == "com.foo.mymodule") {                        // Modify the arguments if the correct module is found                        varjarPath = modules.found[i].modulePath + "/class.foo.jar";                        data.args[1].push("-javaagent "+ jarPath);                        break;                    }                }            }        );          // Pass the modified params on        next(null, data);    }});}; | 
CLI Hook API
Prepend the APIs with the exports variables to expose them as public.
Properties
cliVersion: String
              Specify which version(s) of the CLI the command supports.  For example,
              "3.2.0" specifies the command to only support version 3.2.0,
              while ">=3.2.0" specifies the command to support version 3.2.0
              and greater.
Functions
init
Use the init method to initialize the hook.  Implement the hook listeners, which
              hook into the CLI commands, inside this function.
| init (Object logger, Object config, Object cli, [Object nodeappc]): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| logger | Object | Handle to the logger object. See logger. | 
| config | Object | CLI configuration options. Same properties as reported by the titanium configcommand. | 
| cli | Object | Handle to the CLI object. See cli. | 
| nodeappc | Object | Handle to the node-appc object. See nodeappc. | 
CLI Common API
cli
The CLI class.
Properties
argv: Object
              Command-line arguments passed to the CLI.
command: Object
              Information about the command invoked, such as the complete command-line
              options.
completion: Boolean
              Indicates if tab completion is enabled or not.
config: Object
              Information reported by the titanium config command as a JSON object.
env: Object
              Information about the Titanium build environment similar to titanium info -t titanium.
globalContext: Object
              CLI command, flag and option context.
hooks: Object
              Information about the currently loaded CLI hooks.
logger: Object
              Handle to the logger object.
scannedCommandPaths: Object
              List of directories scanned for CLI commands.
sdk: Object
              Information about the Titanium SDK the application is being built against.
startTime: Number
              Start time of the command as a Unix Timestamp.
tiapp: Object
              The tiapp.xml file of the project in JSON format.
version: Number
              CLI version.
Functions
emit
Fires a hook event.
| emit(String hookName, [Object context], [Function callback]) | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| hookName | String | Name of the hook. | 
| context | Object | Context to send to the hook callback. | 
| callback | Function | Function to call after the event finishes firing. | 
on
Binds a callback to a hook.
| on(String hookName, Function/Object callback) | 
Parameters:
| Name | Type | Description | ||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| hookName | String | Name of the hook. | ||||||||||||
| callback | Function/Object | Function to call after the event finishes firing. If an object is used, specify any of the optional properties: 
 | 
Events
The hook events are namespaced.  If a command name is the first element,
              then that event is only triggered by that command.  Events prefixed
              with "cli" are executed for all CLI commands (except for the
              cli:post-execute hook).  If an event contains a platform name, then it is only executed
              for that platform (except for the config hooks).
Properties returned by the events are listed below.
build.android.aapt (function hook)
Fired when executing the aapt executable to package Android resources.
build.android.compileJsFile (function hook)
Fired when compiling a JavaScript file for production builds.
build.android.config (function hook)
Fired when configuring the build options for Android.
build.android.copyResource (function hook)
Fired when copying a file from the Resources folder to the build folder.
build.android.dexer (function hook)
Fired when executing the dx script.
build.android.jarsigner (function hook)
Fired when executing the jarsigner executable to sign the APK file.
build.android.javac (function hook)
Fired when executing the javac executable to compile the source code.
build.android.proguard (function hook)
Fired when running ProGuard for code obfuscation. Requires special settings.
build.android.startEmulator (function hook)
Fired after starting the Android emulator.
build.android.titaniumprep (function hook)
Fired when the titanium_prep executable encrypts the JavaScript files.
               Only fired when the build target is device or dist-playstore.
build.android.writeAndroidManifest (function hook)
Fired when writing the AndroidManifest.xml file.
build.android.zipalign (function hook)
Fired when executing the zipalign executable to ZIP align the APK file.
build.config (function hook)
Fired when configuring the build options.
build.finalize (event hook)
Fired when the build completes.
build.ios.config (function hook)
Fired when configuring the build options for iOS.
build.ios.compileJsFile (function hook)
Fired when compiling a JavaScript file for production builds.
build.ios.copyResource (function hook)
Fired when copying a file from the Resources folder to the build folder.
build.ios.prerouting (event hook)
Fired before the titaniumprep hook.  Only fired when the build target is device or dist-*.
build.ios.titaniumprep (function hook)
Fired when the titanium_prep executable encrypts the JavaScript files.
               Only fired when the build target is device or dist-*.
build.ios.writeBuildManifest (function hook)
Fired when writing the build-manifest.json file.
build.ios.xcodebuild (function hook)
Fired when the xcodebuild executable is invoked.
build.ios.writeEntitlements (function hook)
Fired when the project entitlements file is written.
build.ios.writeExtensionEntitlements (function hook)
Fired when the extension entitlements file is written.
build.mobileweb.config (function hook)
Fired when configuring the build options for Mobile Web.
build.post.compile (event hook)
Fired after the build completes.
build.pre.compile (event hook)
Fired before starting the pre-compile phase, such as copying and encrypting resources..
build.pre.construct (event hook)
Fired when initializing build options before the pre-compilation phase.
clean.config (event hook)
Fire when configuring the clean options.
clean.post (event hook)
Fired after cleaning the project.
clean.pre (event hook)
Fired before cleaning the project.
cli:command-loaded (event hook)
Fired after command paths have been scanned and all command files are loaded in to the CLI. Only available for globally required hooks.
cli:go (event hook)
Fired right after invoking a CLI command. Only available for globally required hooks.
cli:post-execute (event hook)
Fired after the command executes.
cli:post-validate (event hook)
Fired after validating the command options. First hook available for locally required hooks.
cli:pre-execute (event hook)
Fired before executing the command but after validation. Only available for globally required hooks.
cli:pre-validate (event hook)
Fire before validating the command options. Only available for globally required hooks.
create.config (event hook)
Fired when configuring the create options. Available on Release 3.3.0 and later.
create.finalize (event hook)
Fired when the create command completes. Available on Release 3.3.0 and later.
create.post (event hook)
Fired after executing the create command. Available on Release 3.3.0 and later.
create.pre (event hook)
Fired before executing the create command. Available on Release 3.3.0 and later.
help:header (event hook)
Fired before the help menu is displayed.
Event Properties
Event Hook
| Name | Type | Description | 
|---|---|---|
| args | Array | Arguments passed to the function specified by the fnproperty. | 
| cli | Object | Handle to the CLI object. | 
| command | Object | Information about the command invoked, such as the complete command-line options. | 
| ctx | Object | Event-specific context. | 
| fn | Function | Function before the hook callback. | 
| result | Array | Return value of executing the function fn. | 
| type | String | Name of the hook fired. | 
Function Hook
| Name | Type | Description | 
|---|---|---|
| args | Array | Arguments passed to the function specified by the fnproperty. | 
| ctx | Object | Command- and platform-specific context. | 
| fn | Function | Function invoked between the pre and post hook callbacks. | 
| result | Array | Return value of executing the function fn. Only available for post functions. | 
| type | String | Name of the hook fired. | 
logger
The logger class based on the winston library. Use this class to output messages to the console.
Properties
levels: Array<Strings> – READ-ONLY
              Log levels.
Functions
debug
Outputs a debug-level message to the console.
| debug(String message): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| message | String | Message to display in the console. | 
error
Outputs a error-level message to the console.
| error(String message): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| message | String | Message to display in the console. | 
exception
Outputs a JavaScript error object to the console. Outputs the error message and stack trace.
| exception(Error e): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| e | Error | This is a standard JavaScript Error object. Refer to the ECMAScript Language Specification Section 15.11 for more information. | 
              
getLevels
Retrieves the settable log levels.
| getLevels(void): Array<Strings> | 
Returns:
Array of strings indicating the possible settable log levels.
info
Outputs an info-level message to the console.
| info(String message): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| message | String | Message to display in the console. | 
log
Outputs a generic log message to the console. This message does not have a log level associated with it.
| log(String message): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| message | String | Message to display in the console. | 
setLevel
Sets the highest log level to display.  Pass one of the the logger's
              levels property as the argument, for example, logger.levels.info.
| setLevel(Number logLevel): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| logLevel | Number | Value indicating the highest log level that may be outputted to the console. | 
silence
Set to true to disable console output or false to enable console output.
| silence(Boolean val): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| val | Boolean | Disable (true) or enable (false) console output. | 
trace
Outputs a trace-level message to the console.
| trace(String message): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| message | String | Message to display in the console. | 
warn
Outputs a warning-level message to the console.
| warn(String message): void | 
Parameters:
| Name | Type | Description | 
|---|---|---|
| message | String | Message to display in the console. | 
nodeappc
The node-appc class provides access to various utility libraries.
async
Namespace for helper library built on top of the async library.
parallel method
Run multiple tasks in parallel.
| parallel (Object context, Array<Functions> tasks, Function callback):
                              void | 
Parameters :
| context | Object | Context to pass to the tasks | 
| tasks | Array<Functions> | Array of tasks | 
| callback | Function | A function to call after executing all the tasks | 
| Name | Type | Description | 
|---|
series method
Run multiple tasks in series.
| series (Object context, Array<Functions> tasks, Function callback):
                              void | 
Parameters :
| context | Object | Context to pass to the tasks | 
| tasks | Array<Functions> | Array of tasks | 
| callback | Function | A function to call after executing all the tasks | 
| Name | Type | Description | 
|---|
busyindicator
CLI busyindicator class.  Create an instance of this class, then use
              the start and stop methods to start and stop the indicator, respectively.
constructor
Constructor method.
| newbusyindicator(void): Object | 
start
Starts the busy indicator.
| start(void): void | 
stop
Stops the busy indicator.
| stop(void): void | 
              
Example
| cli.on("build.post.compile", function(){    varbusy = newnodeappc.busyindicator();    busy.start();    // do stuff    busy.stop();}); | 
clitools
Namespace for Mac OS X command-line tools helper library.
detect method
Detects if the Mac OS X command-line tools are installed.
| detect ([Object cli], Function callback): void | 
Parameters :
| cli | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the environment information. | 
| Name | Type | Description | 
|---|
encoding
Namespace for string encoding/decoding helper library.
decodeOctalUTF8 method
Decodes a string with octals to a UTF-8 string.
| decodeOctalUTF8 (String input): String | 
Parameters:
| input | String | String to decode | 
| Name | Type | Description | 
|---|
Returns:
Decoded string.
Example:
| varhello = nodeappc.encoding.decodeOctalUTF8('\110\145\154\154\157');logger.log(hello); //> 'Hello' | 
environ
Namespace for OS and Titanium SDK environment helper library.
getOSInfo method
Retrieves OS and Node.js information.
| getOSInfo (Function callback): void | 
Parameters:
| callback | Function | Callback to invoke when done. Takes an optional object as its only parameter, which contains the environment information. | 
| Name | Type | Description | 
|---|
Example:
| nodeappc.environ.getOSInfo(function(result){    logger.log(JSON.stringify(result));}); | 
getSDK method
Retrieves information about the specified SDK.
| getSDK (String version): Object | 
Parameters:
| version | String | Version of the SDK, for example, "3.2.0.GA". | 
| Name | Type | Description | 
|---|
Returns:
Information about the SDK or null if it cannot found.
Example:
| vartiSDK = nodeappc.environ.getSDK('3.2.1.GA');if(tiSDK) {    logger.log(JSON.stringify(tiSDK));} | 
exception
CLI AppcException class. Create an instance of this class by passing in an error message, then invoke:
- dump(logger)to output the error message to the console
- log(String error)to log additional errors
- toString(void)to convert the error to a string
constructor
Constructor method.
| newexception(String message): Object | 
Parameters:
| message | String | Error message to log | 
| Name | Type | Description | 
|---|
dump method
Outputs the exception to the console using the specified logger handle.
| dump(Object logger): void | 
Parameters:
| logger | Object | Handle to a logger instance | 
| Name | Type | Description | 
|---|
log method
Logs another error message for the exception.
| dump(String error): void | 
Parameters:
| message | String | Error message to log | 
| Name | Type | Description | 
|---|
toString method
Converts the exception to a string
| toString(): String | 
Returns:
Exception as a string value.
Example
| varerr = newnodeappc.exception("Oh noes!");err.dump(logger); //> '[ERROR] Oh noes!' err.log("Warning, Will Robinson");logger.log(err.toString()); //> 'Oh noes!\nWarning, Will Robinson!' | 
haxm
Namespace for Intel HAXM helper library.
detect method
Detects if HAXM is installed.
| detect ([Object config,] [Object options,] Function callback): void | 
Parameters:
| config | Object | CLI configuration object. | ||||||
| options | Object | Device options: 
 | ||||||
| callback | Function | Callback to invoke when done. Takes an optional object as its only parameter, which contains the environment information. | ||||||
| Name | Type | Description | 
|---|
Example:
| nodeappc.hamx.detect(function(result){    logger.log(JSON.stringify(result));}); | 
              
image
Namespace for the image helper library built on top of the imgscalr library.
resize method
Resizes the source image according to the destination parameters.
| resize (String src, Array<Object> dest, [Function callback], [Object
                              logger]): void | 
Parameters:
| src | String | CLI configuration object. | ||||||||||||
| dst | Array<Object> | Array of objects specifying the required destination properties: 
 | ||||||||||||
| callback | Function | Callback to invoke when done. Takes an optional error and result objects as its only parameter. | ||||||||||||
| logger | Object | Handle to the logger object. | ||||||||||||
| Name | Type | Description | 
|---|
Example:
| vardst = {    file: "/tmp/Default2.png",    width: 240,    height: 360};nodeappc.image.resize("/tmp/Default.png", [dst], function(error, result) {    logger.log(result);}, logger); | 
jdk
Namespace for the Java helper library.
detect method
Detects if Java and the JDK are installed.
| detect ([Object config], [Object options], Function callback): void | 
Parameters:
| config | Object | CLI configuration object. | ||||||
| options | Object | Device options: 
 | ||||||
| callback | Function | Callback to invoke when done. Takes an optional results object as its only parameter, which contains the environment information. | ||||||
| Name | Type | Description | 
|---|
Example:
| nodeappc.jdk.detect(config, function(result){    dump(result);}); | 
net
Namespace for the network helper library.
interface method
Detects all network interfaces.
| interfaces (Function callback): void | 
Parameters:
| callback | Function | Callback to invoke when done. Takes an optional results object as its only parameter, which contains the environment information. | 
| Name | Type | Description | 
|---|
Example:
| nodeappc.net.interfaces(function(result){    dump(result);}); | 
online method
Detects if the current computer is online.
| interfaces (Function callback): void | 
Parameters:
| callback | Function | Callback to invoke when done. Takes an optional error object and result value as its only parameter. The results value is a boolean value indicating if the computer is online or not. | 
| Name | Type | Description | 
|---|
Example:
| nodeappc.net.online(function(err, result){    if(result){        logger.info("We haz interwebs!");    }}); | 
urlEncode method
Converts an object into an escaped URL-safe string.
| urlEncode (Object obj): String | 
Parameters:
| obj | Object | Object to convert | 
| Name | Type | Description | 
|---|
Returns:
An escaped URL-safe string.
Example:
| varobj = {    "_session_id": "11223344deadbeef",    "message_id": "00998877"};varstr = nodeappc.net.urlEncode(obj);logger.log(str); //> _session_id=11223344deadbeef&message_id=00998877 | 
plist
CLI plist class. Create an instance of this class by passing it a file (or nothing to create an empty plist file), then invoke the methods on the object to traverse to update the progress.
constructor
Constructor method.
| newplist ([String file]): Object | 
Parameters:
| file | String | plist file to open and parse | 
| Name | Type | Description | 
|---|
Returns:
plist file in JSON format or an empty dictionary.
progress
CLI progress bar class.  Create an instance of this class by passing
                it a format string and options object, then invoke the tick method to update the progress.
constructor
Constructor method.
| newprogress (String format, Object options): Object | 
Parameters:
| format | String | Use the following strings to format the progress bar: 
 | |||||||||||||||
| options | Object | Optional progress bar options: 
 
 | |||||||||||||||
| Name | Type | Description | 
|---|
tick method
Increments the progress and redraws the progress bar.
| tick ([Number len]): void | 
Parameters:
| len | Number | Value to increment to progress bar by. Default value is 1. | 
| Name | Type | Description | 
|---|
Example
| /*    Displays the following progress bar:    80% [================================........] 0.2s */ varbar = newnodeappc.progress('  :paddedPercent [:bar] :etas', {    complete: '='.cyan,    incomplete: '.'.grey,    width: 40,    total: 10});vartimer = setInterval(function(){    bar.tick();    if(bar.complete) {        console.log('\ncomplete\n');        clearInterval(timer);    }}, 100); | 
string
Namespace for the string helper library.
capitalize method
Capitalizes the string.
| capitalize (String str): String | 
Parameters:
| str | String | String to capitalize. | 
| Name | Type | Description | 
|---|
Returns:
Capitalized string.
levenshtein method
Calculates the Levenshtein distance of two strings.
| levenshtein (String str1, String str2): Number | 
Parameters:
| str1 | String | First string. | 
| str2 | String | Second string. | 
| Name | Type | Description | 
|---|
Returns:
The distance between the two strings.
lpad method
Pads the left side of a string so that the total length equals the specified length. If the string is longer than the length, the string is not padded.
| lpad (String str, Number len, [String pad]): String | 
Parameters:
| str | String | String to pad. | 
| len | Number | Total length of the string. | 
| pad | String | Character to use as the padding. Default is a space. | 
| Name | Type | Description | 
|---|
Returns:
Padded string.
renderColumns method
Renders an array of items into columns.
| renderColumns (Array<String> items, Number margin, Number maxwidth):
                              String | 
Parameters:
| items | Array<String> | Array of items to render. | 
| margin | String | Row title in the left margin. | 
| maxwidth | Number | Maximum width before wrapping. | 
| Name | Type | Description | 
|---|
Returns:
Formatted string.
rpad method
Pads the right side of a string so that the total length equals the specified length. If the string is longer than the length, the string is not padded.
| lpad (String str, Number len, [String pad]): String | 
Parameters:
| str | String | String to pad. | 
| len | Number | Total length of the string. | 
| pad | String | Character to use as the padding. Default is a space. | 
| Name | Type | Description | 
|---|
Returns:
Padded string.
suggest method
Compares a string to an array of options and suggests close matches based on a given threshold.
| suggest (String str, Array<Strings> options, Function logger, [Number
                                threshold]): void | 
Parameters:
| str | String | String to find a match for. | 
| options | Array<Strings> | Array of strings to find a match with. | 
| logger | Function | Callback to output the suggestions. Takes one string value as a parameter. | 
| threshold | Number | Match threshold. Default is 3. | 
| Name | Type | Description | 
|---|
wrap method
Inserts line breaks into a string so that the text does not exceed the specified width.
| wrap (String str, [Number width]): String | 
Parameters:
| str | String | String to wrap. | 
| wrap | Number | Length to wrap the text. Default is the console width. | 
| Name | Type | Description | 
|---|
Returns:
Wrapped string.
Examples
| varstr1 = "saturday",    str2 = "sunday",    cmd = "confound",    commands = ["build", "clean", "config", "create", "help", "info", "setup", "status"];      logger.log(nodeappc.string.capitalize(str1)); //> Saturday logger.log(nodeappc.string.levenshtein(str1, str2)); //> 3 logger.log(nodeappc.string.lpad(str1, 25, "$")); //> $$$$$$$$$$$$$$$$$saturday    logger.log(nodeappc.string.rpad(str2, 25, "$")); //> sunday$$$$$$$$$$$$$$$$$$$logger.log(nodeappc.string.renderColumns([str1, str2], "Le weekend", 50)); //> Le weekend: saturday     sundaylogger.log(nodeappc.string.suggest(cmd, commands, function(result){    logger.log(result);}, 5)); /*Did you mean this?    config    info*/logger.log(nodeappc.string.wrap("The quick brown fox jumps over the lazy dog.", 25)); /*The quick brown fox jumpsover the lazy dog.*/ | 
subprocess
Namespace for the helper library to spawn subprocesses.
findExecutable method
Tries to locate the executable.
| findExecutable (Array<String>/String files, Function callback): void | 
Parameters:
| files | Array<String>/String | Executable to locate or locations to check. | 
| callback | Function | Callback to invoke when done. Takes an error and results object as its first and second parameters, respectively. | 
| Name | Type | Description | 
|---|
Example:
| varcommands = ["/usr/local/bin/grep", "/usr/bin/grep"];   nodeappc.subprocess.findExecutable(commands, function(err, res){    if(res != null) {        logger.info("Found grep command: "+ res);    }}) | 
getRealName method
Try to get the 8.3 formatted file name for Windows systems. Returns the original file name for Mac OS X.
| getRealName (String file, Function callback): void | 
Parameters:
| file | String | Executable to locate or absolute location to check. | 
| callback | Function | Callback to invoke when done. Takes an error and results object as its first and second parameters, respectively. | 
| Name | Type | Description | 
|---|
run method
Spawns a new process.
| run (String cmd, Array args, [Object options], Function callback): void | 
Parameters:
| cmd | String | Executable to run. | 
| args | Array | Arguments to pass to the command. | 
| opts | Object | Options to pass to the spawn command. See the Node.js: Child Process documentation. | 
| callback | Function | Callback to invoke when done. Takes a code, results, and error object as its first, second and third parameters, respectively. | 
| Name | Type | Description | 
|---|
Example:
| // Finds all the PNG images in the projectnodeappc.subprocess.findExecutable("find", function(error, result){    if(result) {        nodeappc.subprocess.run(result, [".", "-name", "\*.png"], function(code, res, err){            if(res) {                logger.log(res);            }        });    }}); | 
time
Namespace for the time-formatting helper library.
prettyDiff method
Format the time difference between two JavaScript Date objects in to an easily readable format.
| prettyDiff (Date from, Date to, Object options): String | 
Parameters:
| from | Date | First date. | ||||||||||||
| to | Date | Second date. | ||||||||||||
| options | Object | Options: 
 | ||||||||||||
| Name | Type | Description | 
|---|
Returns:
Formatted string describing the difference between the date.
Example:
| vardate1 = newDate(1980, 1, 21, 20, 41, 0, 0),    date2 = Date.now();vardiff = nodeappc.time.prettyDiff(date1, date2, {hideMS: true, showFullName: true});logger.log(diff); //> 12445 days 18 hours 30 minutes 50 seconds | 
timestamp method
Creates an ISO-like timestamp.
| timestamp (void): String | 
Returns :
Timestamp.
Example:
| logger.log(nodeappc.time.timestamp()); //> 2014-03-20T23:15:04.815+0000 | 
timodule
Namespace for Titanium module helper library.
detect method
Scans the specified paths for Titanium module as well as all known Titanium SDK directories.
| detect (Array<String> searchPaths, Object logger, Function callback):
                              void  | 
Parameters:
| searchPaths | Array<String> | Paths to search for modules. | 
| logger | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the module information. | 
| Name | Type | Description | 
|---|
find method
Finds Titanium modules with the specified restrictions and groups them in to found, missing, incompatible and conflict categories.
| find (Array<Object> modules, Array<String>/String platform,
                              Array<String>/String deployType, String sdkVersion, Array<String>
                              searchPaths, Object logger, Function callback): void | 
Parameters:
| modules | Array<Object> | Modules to search for. | 
| platform | Array<String>/String | Platforms to search for. | 
| deployTypes | Array<String>/String | Deploy types to search for. | 
| sdkVersion | String | SDK version for minimum SDK version check. | 
| searchPaths | Array<String> | Paths to search for modules. | 
| logger | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the module information. | 
| Name | Type | Description | 
|---|
scopedDetect method
Only scans the specified paths for Titanium module.
| scopedDetect (Array<String> searchPaths, Object config, Object logger,
                              Function callback): void | 
Parameters:
| searchPaths | Array<String> | Paths to search for modules. | 
| config | Object | CLI configuration object. | 
| logger | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the module information. | 
| Name | Type | Description | 
|---|
tiplugin
Namespace for Titanium plugin helper library.
detect method
Scans the specified paths for Titanium plugins as well as any globally or user-configured search paths.
| detect (String projectDir, Object config, Object logger, Function callback):
                              void  | 
Parameters:
| projectDir | String | Project path to search for plugins. | 
| config | Object | CLI configuration object. | 
| logger | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the plugin information. | 
| Name | Type | Description | 
|---|
find method
Finds Titanium plugins with the specified restrictions and groups them in to found or missing categories.
| find (Array<Object> plugins, Array<String> searchPaths, Object
                              logger, Function callback): void | 
Parameters:
| plugins | Array<Object> | Plugins to search for. | 
| searchPaths | String | Path to the project directory. | 
| config | Object | CLI configuration object. | 
| logger | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the plugin information. | 
| Name | Type | Description | 
|---|
scopedDetect method
Only scans the specified paths for Titanium plugins.
| scopedDetect (Array<String> searchPaths, Object config, Object logger,
                              Function callback): void | 
Parameters:
| searchPaths | Array<String> | Paths to search for modules. | 
| config | Object | CLI configuration object. | 
| logger | Object | Handle to the CLI object. | 
| callback | Function | Callback function. Takes an optional object as its only parameter, which contains the plugin information. | 
| Name | Type | Description | 
|---|
util
Namespace for the miscellaneous utility library.
mix method
Mix multiple objects into a single object.
| mix (Object obj1, ...): Object | 
Parameters:
| obj1 | Object | First object to mix in other objects with. | 
| ... | Object | More objects to mix in with the first object. | 
| Name | Type | Description | 
|---|
Returns:
Mixed object.
mixObj method
Deep mixes multiple objects into a single object.
| mixObj (Object obj1, ...): Object | 
Parameters:
| obj1 | Object | First object to mix in other objects with. | 
| ... | Object | More objects to mix in with the first object. | 
| Name | Type | Description | 
|---|
Returns:
Mixed object.
Example
| varobject1 = {    foo: "bar",    colors: ["red", "green", "blue"],    car: {        make: "Ford",        model: "Fiesta"    }};varobject2 = {    foo: "baz",    colors: ["cyan", "magenta", "yellow", "black"],    box: {        make: "Apple",        model: "MacBook Pro",        model_id: "MacBookPro9,1"    }};dump(nodeappc.util.mix(object1, object2));/*{ foo: 'baz',  colors:    [ 'cyan',     'magenta',     'yellow',     'black' ],  car: { make: 'Ford', model: 'Fiesta' },  box:    { make: 'Apple',     model: 'MacBook Pro',     model_id: 'MacBookPro9,1' } }*/dump(nodeappc.util.mixObj(object1, object2)); /*{ foo: 'baz',  colors:    [ 'cyan',     'magenta',     'yellow',     'black',     'cyan',     'magenta',     'yellow',     'black' ],  car: { make: 'Ford', model: 'Fiesta' },  box:    { make: 'Apple',     model: 'MacBook Pro',     model_id: 'MacBookPro9,1' } }*/ | 
xcconfig
Loads an Xcode xcconfig file and converts it to JSON format. Pass the file as the only required parameter to the constructor.
Example:
| varjson_obj = newnodeappc.xcconfig('/path/to/file.xcconfig'); | 
xml
Namespace for the XML parsing utility library. Use the xmldom library to provide an XML document to the library.
forEachAttr method
Loops through the attributes for an XML DOM object and invokes the callback for each attribute found.
| forEachAttr (Object node, Function callback): void | 
Parameters:
| node | Object | XML node. | 
| callback | Function | Callback function. Takes an object as it only parameter, which represents the attribute information. | 
| Name | Type | Description | 
|---|
forEachElement method
Loops through the elements for an XML DOM object and invokes the callback for each element found.
| forEachElement (Object node, Function callback): void | 
Parameters:
| node | Object | XML node. | 
| callback | Function | Callback function. Takes an object as it only parameter, which represents the element information. | 
| Name | Type | Description | 
|---|
getAttr method
Retrieves and parses an attribute of an XML node. If the attribute does not exist, an empty string is returned.
| getAttr (Object node, String attr): Primitive | 
Parameters:
| node | Object | XML node. | 
| attr | String | Attribute to get. | 
| Name | Type | Description | 
|---|
Returns:
Returns the value of the attribute or an empty string if it does not exist.
getValue method
Determines if the XML node has a child node and returns it.
| getValue (Object node): String | 
Parameters:
| node | Object | XML node. | 
| Name | Type | Description | 
|---|
Returns:
Returns the value of the child node.
parse method
Parse a XML value and coverts it to a JavaScript value.
| parse (String value): Primitive | 
Parameters:
| value | String | Value of the XML node. | 
| Name | Type | Description | 
|---|
Returns:
Returns the value of the node as a JavaScript primitive.
Example
| varDOMParser = require('xmldom').DOMParser;vardoc = newDOMParser().parseFromString(    '<xml xmlns="a" xmlns:c="./lite">\n'+        '\t<child>test</child>\n'+        '\t<child>\n'+        '\t\t<grandchild>test</grandchild>\n'+        '\t</child>\n'+    '</xml>'    ,'text/xml');doc.documentElement.setAttribute('x','y');doc.documentElement.setAttributeNS('./lite','c:x','y2');nodeappc.xml.forEachElement(doc, function(node){    if(node.attributes) {        nodeappc.xml.forEachAttr(node, function(attr){            varattr_val = nodeappc.xml.getAttr(node, attr.name);            logger.log (attr.name + " = "+ attr_val);           
                                        });    }}); /*OUTPUTS:xmlns = axmlns:c = ./litex = yc:x = y2*/ | 
version
Namespace for a version helper library.
eq method
Converts two versions to three segment format, then compares if they are equal.
| eq(String version1, String version2): Boolean | 
Parameters:
| version1 | String | First version to compare | 
| version2 | String | Second version to compare | 
| Name | Type | Description | 
|---|
Returns:
True is the versions are equal otherwise false.
format method
Formats a version based on the minimum or maximum number of segments.
| format(String version, Number min, Number max, [Boolean chopDash]): String | 
Parameters:
| version | String | Version to format | 
| min | Number | Minimum number of segments | 
| min | Number | Maximum number of segments | 
| chopDash | Boolean | If true, remove everything after a dash in the version string | 
| Name | Type | Description | 
|---|
Returns:
Formatted version string.
gt method
Converts two versions to three segment format, then compares if the first one is greater than the second one.
| gt(String version1, String version2): Boolean | 
Parameters:
| version1 | String | First version to compare | 
| version2 | String | Second version to compare | 
| Name | Type | Description | 
|---|
Returns:
True is the first version is greater than the second version otherwise false.
gte method
Converts two versions to three segment format, then compares if the first one is greater than or equal to the second one.
| gte(String version1, String version2): Boolean | 
Parameters:
| version1 | String | First version to compare | 
| version2 | String | Second version to compare | 
| Name | Type | Description | 
|---|
Returns:
True is the first version is greater than or equal to the second version otherwise false.
lt method
Converts two versions to three segment format, then compares if the first one is less than the second one.
| lt(String version1, String version2): Boolean | 
Parameters:
| version1 | String | First version to compare | 
| version2 | String | Second version to compare | 
| Name | Type | Description | 
|---|
Returns:
True is the first version is less than the second version otherwise false.
lte method
Converts two versions to three segment format, then compares if the first one is less than or equal to the second one.
| lte(String version1, String version2): Boolean | 
Parameters:
| version1 | String | First version to compare | 
| version2 | String | Second version to compare | 
| Name | Type | Description | 
|---|
Returns:
True is the first version is less than or equal to the second version otherwise false.
parseMax method
Determines the maximum possible version in the supplied range.
| lte(String range): String | 
Parameters:
| range | String | Space-delimited list of versions or version expressions, such as ">3.2.0" or "<3.2.0" | 
| Name | Type | Description | 
|---|
Returns:
Determined maximum version.
parseMin method
Determines the minimum possible version in the supplied range.
| lte(String range): String | 
Parameters:
| range | String | Space-delimited list of versions or versions expressions, such as ">3.2.0" or "<3.2.0" | 
| Name | Type | Description | 
|---|
Returns:
Determined minimum version.
satisfies method
Determines if a version occurs in the supplied versions.
| satisfies(String version, String range, [Boolean maybe]): Boolean | 
Parameters:
| version | String | Version to check | 
| range | String | Space-delimited list of versions or version expressions, such as ">3.2.0" or "<3.2.0" | 
| maybe | Boolean | If true and the version is greater than at least one of the supplied version, returns "maybe". | 
| Name | Type | Description | 
|---|
Returns:
Returns true if found or "maybe" if it meets the maybe property condition, otherwise false.
sort method
Sorts the array of versions from smallest to largest.
| sort(Array<String> versions): Array<String> | 
Parameters:
| versions | Array<String> | Array of versions to sort | 
| Name | Type | Description | 
|---|
Returns:
Sorted array of versions from smallest to largest.
Example
| varver = nodeappc.version.format("3.3", 3, 3, true);logger.log(ver); //> 3.3.0ver = nodeappc.version.eq("3.2", "3.2.0");logger.log(ver); //> truever = nodeappc.version.lt("3.2.1.1", "3.2.1");logger.log(ver); //> falsever = nodeappc.version.lte("3.2.1.1", "3.2.1");logger.log(ver); //> truever = nodeappc.version.gt("3.2.1.1", "3.2.1");logger.log(ver); //> falsever = nodeappc.version.gte("3.2.1.1", "3.2.1");logger.log(ver); //> truevarrange = ">2.1.4 || <3.2.0";ver = nodeappc.version.parseMax(range);logger.log(ver); //> 3.2.0ver = nodeappc.version.parseMin(range);logger.log(ver); //> 2.1.4ver = nodeappc.version.satisfies("3.1.3", range);logger.log(ver); //> truevarversions = ["3.1.3", "3.3", "2.1.3", "3.2.1"];ver = nodeappc.version.sort(versions);logger.log(ver); //> 2.1.3,3.1.3,3.2.1,3.3 | 
zip
Namespace for the ZIP archive helper library built on top of the adm-zip library.
unzip method
Decompresses a ZIP archive.
| unzip(String file, String dest, Object opts, Function callback): void | 
Parameters:
| file | String | The file to extract | ||||||||||||||||
| dest | String | The destination to extract the files to | ||||||||||||||||
| opts | Object | Optional extract options: 
 | ||||||||||||||||
| callback | Function | A function to call when done extracting all files | ||||||||||||||||
| Name | Type | Description | 
|---|