 
    In this section, we will walk through developing, testing, and debugging an Ansible Windows module.
Because Windows modules are written in Powershell and need to be run on a Windows host, this guide differs from the usual development walkthrough guide.
What’s covered in this section:
Topics
Unlike Python module development which can be run on the host that runs Ansible, Windows modules need to be written and tested for Windows hosts. While evaluation editions of Windows can be downloaded from Microsoft, these images are usually not ready to be used by Ansible without further modification. The easiest way to set up a Windows host so that it is ready to by used by Ansible is to set up a virtual machine using Vagrant. Vagrant can be used to download existing OS images called boxes that are then deployed to a hypervisor like VirtualBox. These boxes can either be created and stored offline or they can be downloaded from a central repository called Vagrant Cloud.
This guide will use the Vagrant boxes created by the packer-windoze
repository which have also been uploaded to Vagrant Cloud.
To find out more info on how these images are created, please go to the Github
repo and look at the README file.
Before you can get started, the following programs must be installed (please consult the Vagrant and VirtualBox documentation for installation instructions):
To create a single Windows Server 2016 instance, run the following:
vagrant init jborean93/WindowsServer2016
vagrant up
This will download the Vagrant box from Vagrant Cloud and add it to the local boxes on your host and then start up that instance in VirtualBox. When starting for the first time, the Windows VM will run through the sysprep process and then create a HTTP and HTTPS WinRM listener automatically. Vagrant will finish its process once the listeners are onlinem, after which the VM can be used by Ansible.
The following Ansible inventory file can be used to connect to the newly created Windows VM:
[windows]
WindowsServer  ansible_host=127.0.0.1
[windows:vars]
ansible_user=vagrant
ansible_password=vagrant
ansible_port=55986
ansible_connection=winrm
ansible_winrm_transport=ntlm
ansible_winrm_server_cert_validation=ignore
Note
The port 55986 is automatically forwarded by Vagrant to the
Windows host that was created, if this conflicts with an existing local
port then Vagrant will automatically use another one at random and display
show that in the output.
The OS that is created is based on the image set. The following images can be used:
When the host is online, it can accessible by RDP on 127.0.0.1:3389 but the
port may differ depending if there was a conflict. To get rid of the host, run
vagrant destroy --force and Vagrant will automatically remove the VM and
any other files associated with that VM.
While this is useful when testing modules on a single Windows instance, these host won’t work without modification with domain based modules. The Vagrantfile at ansible-windows can be used to create a test domain environment to be used in Ansible. This repo contains three files which are used by both Ansible and Vagrant to create multiple Windows hosts in a domain environment. These files are:
Vagrantfile: The Vagrant file that reads the inventory setup of inventory.yml and provisions the hosts that are requiredinventory.yml: Contains the hosts that are required and other connection information such as IP addresses and forwarded portsmain.yml: Ansible playbook called by Vagrant to provision the domain controller and join the child hosts to the domainBy default, these files will create the following environment:
domain.localvagrant and password vagrantvagrant-domain@domain.local with the password VagrantPass1The domain name and accounts can be modified by changing the variables
domain_* in the inventory.yml file if it is required. The inventory
file can also be modified to provision more or less servers by changing the
hosts that are defined under the domain_children key. The host variable
ansible_host is the private IP that will be assigned to the VirtualBox host
only network adapter while vagrant_box is the box that will be used to
create the VM.
To provision the environment as is, run the following:
git clone https://github.com/jborean93/ansible-windows.git
cd vagrant
vagrant up
Note
Vagrant provisions each host sequentially so this can take some time
to complete. If any errors occur during the Ansible phase of setting up the
domain, run vagrant provision to rerun just that step.
Unlike setting up a single Windows instance with Vagrant, these hosts can also
be accessed using the IP address directly as well as through the forwarded
ports. It is easier to access it over the host only network adapter as the
normal protocol ports are used, e.g. RDP is still over 3389. In cases where
the host cannot be resolved using the host only network IP, the following
protocols can be access over 127.0.0.1 using these forwarded ports:
RDP: 295xxSSH: 296xxWinRM HTTP: 297xxWinRM HTTPS: 298xxSMB: 299xxReplace xx with the entry number in the inventory file where the domain
controller started with 00 and is incremented from there. For example, in
the default inventory.yml file, WinRM over HTTPS for SERVER2012R2 is
forwarded over port 29804 as it’s the fourth entry in domain_children.
Note
While an SSH server is available on all Windows hosts but Server 2008 (non R2), it is not a support connection for Ansible managing Windows hosts and should not be used with Ansible.
When creating a new module there are a few things to keep in mind:
Write-Host/Debug/Verbose/Error in the module and add what needs to be returned to the $result variableFail-Json -obj $result -message "exception message here" instead./lib/ansible/module_utils/powershell/ and use the code there instead of duplicating work. These can be imported by adding the line #Requires -Module * where * is the filename to import, and will be automatically included with the module code sent to the Windows target when run via AnsibleSet-StrictMode -Version 2.0 at the top of your dev script$result, ensure any trailing slashes are removed or escaped, as ConvertTo-Json will fail to convert itRemove-Item over rmRemove-Item -Path C:\temp over Remove-Item C:\tempA very basic powershell module win_environment is included below. It demonstrates how to implement check-mode and diff-support, and also shows a warning to the user when a specific condition is met.
#!powershell
# Copyright: (c) 2015, Jon Hawkesworth (@jhawkesworth) <figs@unity.demon.co.uk>
# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)
#Requires -Module Ansible.ModuleUtils.Legacy
$ErrorActionPreference = "Stop"
$params = Parse-Args -arguments $args -supports_check_mode $true
$check_mode = Get-AnsibleParam -obj $params -name "_ansible_check_mode" -type "bool" -default $false
$diff_mode = Get-AnsibleParam -obj $params -name "_ansible_diff" -type "bool" -default $false
$name = Get-AnsibleParam -obj $params -name "name" -type "str" -failifempty $true
$state = Get-AnsibleParam -obj $params -name "state" -type "str" -default "present" -validateset "absent","present"
$value = Get-AnsibleParam -obj $params -name "value" -type "str"
$level = Get-AnsibleParam -obj $params -name "level" -type "str" -validateSet "machine","user","process" -failifempty $true
$before_value = [Environment]::GetEnvironmentVariable($name, $level)
$result = @{
    before_value = $before_value
    changed = $false
    value = $value
}
# When removing environment, set value to $null if set
if ($state -eq "absent" -and $value) {
    Add-Warning -obj $result -message "When removing environment variable '$name' it should not have a value '$value' set"
    $value = $null
}
if ($state -eq "present" -and $before_value -ne $value) {
    if (-not $check_mode) {
        [Environment]::SetEnvironmentVariable($name, $value, $level)
    }
    $result.changed = $true
    if ($diff_mode) {
        if ($before_value -eq $null) {
            $result.diff = @{
                prepared = " [$level]`n+$name = $value`n"
            }
        } else {
            $result.diff = @{
                prepared = " [$level]`n-$name = $before_value`n+$name = $value`n"
            }
        }
    }
} elseif ($state -eq "absent" -and $before_value -ne $null) {
    if (-not $check_mode) {
        [Environment]::SetEnvironmentVariable($name, $null, $level)
    }
    $result.changed = $true
    if ($diff_mode) {
        $result.diff = @{
            prepared = " [$level]`n-$name = $before_value`n"
        }
    }
}
Exit-Json -obj $result
A slightly more advanced module is win_uri which additionally shows how to use different parameter types (bool, str, int, list, dict, path) and a selection of choices for parameters, how to fail a module and how to handle exceptions.
When in doubt, look at some of the other core modules and see how things have been implemented there.
Sometimes there are multiple ways that Windows offers to complete a task; this is the order to favour when writing modules:
Remove-Item -Path C:\temp -Recurse[System.IO.Path]::GetRandomFileName()New-CimInstance cmdletNew-Object -ComObject cmdletSecedit.exePowerShell modules support a small subset of the #Requires options built
into PowerShell as well as some Ansible-specific requirements specified by
#AnsibleRequires. These statements can be placed at any point in the script,
but are most commonly near the top. They are used to make it easier to state the
requirements of the module without writing any of the checks. Each requires
statement must be on its own line, but there can be multiple requires statements
in one script.
These are the checks that can be used within Ansible modules:
#Requires -Module Ansible.ModuleUtils.<module_util>: Added in Ansible 2.4, specifies a module_util to load in for the module execution.#Requires -Version x.y: Added in Ansible 2.5, specifies the version of PowerShell that is required by the module. The module will fail if this requirement is not met.#AnsibleRequires -OSVersion x.y: Added in Ansible 2.5, specifies the OS build version that is required by the module and will fail if this requirement is not met. The actual OS version is derived from [Environment]::OSVersion.Version.#AnsibleRequires -Become: Added in Ansible 2.5, forces the exec runner to run the module with become, which is primarily used to bypass WinRM restrictions. If ansible_become_user is not specified then the SYSTEM account is used instead.Like Python modules, PowerShell modules also provide a number of module utilities that provide helper functions within PowerShell. These module_utils can be imported by adding the following line to a PowerShell module:
#Requires -Module Ansible.ModuleUtils.Legacy
This will import the module_util at ./lib/ansible/module_utils/powershell/Ansible.ModuleUtils.Legacy.psm1
and enable calling all of its functions.
The following is a list of module_utils that are packaged with Ansible and a general description of what they do:
Get-ChildItem and Test-Path to work with special files like C:\pagefile.sys.For more details on any specific module utility and their requirements, please see the Ansible module utilities source code.
PowerShell module utilities can be stored outside of the standard Ansible
distribution for use with custom modules. Custom module_utils are placed in a
folder called module_utils located in the root folder of the playbook or role
directory.
The below example is a role structure that contains two custom module_utils
called Ansible.ModuleUtils.ModuleUtil1 and
Ansible.ModuleUtils.ModuleUtil2:
meta/
  main.yml
defaults/
  main.yml
module_utils/
  Ansible.ModuleUtils.ModuleUtil1.psm1
  Ansible.ModuleUtils.ModuleUtil2.psm1
tasks/
  main.yml
Each module_util must contain at least one function, and a list of functions, aliases and cmdlets to export for use
in a module. This can be a blanket export by using *. For example:
Export-ModuleMember -Alias * -Function * -Cmdlet *
You can test a module with an Ansible playbook. For example:
Create a playbook in any directory touch testmodule.yml.
Create an inventory file in the same directory touch hosts.
Populate the inventory file with the variables required to connect to a Windows host(s).
Add the following to the new playbook file:
---
- name: test out windows module
  hosts: windows
  tasks:
  - name: test out module
    win_module:
      name: test name
Run the playbook ansible-playbook -i hosts testmodule.yml
This can be useful for seeing how Ansible runs with the new module end to end. Other possible ways to test the module are shown below.
Debugging a module currently can only be done on a Windows host. This can be useful when developing a new module or implementing bug fixes. These are some steps that need to be followed to set this up:
Copy the module script to the Windows server
Copy ./lib/ansible/module_utils/powershell/Ansible.ModuleUtils.Legacy.psm1 to the same directory as the script above
To stop the script from exiting the editor on a successful run, in Ansible.ModuleUtils.Legacy.psm1 under the function Exit-Json, replace the last two lines of the function with:
ConvertTo-Json -InputObject $obj -Depth 99
To stop the script from exiting the editor on a failed run, in Ansible.ModuleUtils.Legacy.psm1 under the function Fail-Json, replace the last two lines of the function with:
Write-Error -Message (ConvertTo-Json -InputObject $obj -Depth 99)
Add the following to the start of the module script that was copied to the server:
### start setup code
$complex_args = @{
    "_ansible_check_mode" = $false
    "_ansible_diff" = $false
    "path" = "C:\temp"
    "state" = "present"
}
Import-Module -Name .\Ansible.ModuleUtils.Legacy.psm1
### end setup code
You can add more args to $complex_args as required by the module. The
module can now be run on the Windows host either directly through Powershell
or through an IDE.
There are multiple IDEs that can be used to debug a Powershell script, two of the most popular are
To be able to view the arguments as passed by Ansible to the module follow these steps.
ANSIBLE_KEEP_REMOTE_FILES=1 to specify that Ansible should keep the exec files on the server.%TEMP%\... It should contain a folder starting with ansible-tmp-.$json_raw which contains the module arguments under module_args. These args can be assigned manually to the $complex_args variable that is defined on your debug script.Currently there is no mechanism to run unit tests for Powershell modules under Ansible CI.
Integration tests for Ansible modules are typically written as Ansible roles. These test
roles are located in ./test/integration/targets. You must first set up your testing
environment, and configure a test inventory for Ansible to connect to.
In this example we will set up a test inventory to connect to two hosts and run the integration tests for win_stat:
./test/integration/inventory.winrm.template and name it inventory.winrm.[windows] and set the required variables that are needed to connect to the host.ansible-test windows-integration win_stat; you can replace win_stat with the role you wish to test.This will execute all the tests currently defined for that role. You can set
the verbosity level using the -v argument just as you would with
ansible-playbook.
When developing tests for a new module, it is recommended to test a scenario once in check mode and twice not in check mode. This ensures that check mode does not make any changes but reports a change, as well as that the second run is idempotent and does not report changes. For example:
- name: remove a file (check mode)
  win_file:
    path: C:\temp
    state: absent
  register: remove_file_check
  check_mode: yes
- name: get result of remove a file (check mode)
  win_command: powershell.exe "if (Test-Path -Path 'C:\temp') { 'true' } else { 'false' }"
  register: remove_file_actual_check
- name: assert remove a file (check mode)
  assert:
    that:
    - remove_file_check is changed
    - remove_file_actual_check.stdout == 'true\r\n'
- name: remove a file
  win_file:
    path: C:\temp
    state: absent
  register: remove_file
- name: get result of remove a file
  win_command: powershell.exe "if (Test-Path -Path 'C:\temp') { 'true' } else { 'false' }"
  register: remove_file_actual
- name: assert remove a file
  assert:
    that:
    - remove_file is changed
    - remove_file_actual.stdout == 'false\r\n'
- name: remove a file (idempotent)
  win_file:
    path: C:\temp
    state: absent
  register: remove_file_again
- name: assert remove a file (idempotent)
  assert:
    that:
    - not remove_file_again is changed
Join the IRC channel #ansible-devel or #ansible-windows on freenode for
discussions about Ansible development for Windows.
For questions and discussions pertaining to using the Ansible product,
use the #ansible channel.