Script Best Practices
Description
Tips and tricks for running Filesets with scripts
Don't put passwords in scripts
The scripts are stored locally on devices. For security reasons, usernames and passwords should not be included within the body of scripts.
For example:
Example: password in command
somecommand -u "USERNAME_HERE" -p "PASSSWORD_HERE"Additionally, DO NOT use Launch Arguments to provide passwords to scripts. Launch Arguments are visible in the process list during script execution. Instead supply the username and password as Environment Variables:


During script execution, the Launch Argument is seen:
Example: Visible Password
$ ps -ef | grep secure
    0 73010   155   0  9:51am ??         0:00.01 /bin/zsh /var/scripts/532417/unsecure_la.sh secure_password_leakedUsing the example Environment Variables from the image, they would be addressed as:
| OS | Script Type | Command | 
| macOS | shell | <br>somecommand -u $username -p $my_pass<br> | 
| Windows | Powershell | <br>somecommand -u $Env:username -p $Env:my_pass<br> | 
| Batch | <br>somecommand -u %username% -p %my_pass%<br> | |
| mac0S & Windows | Python | Python <br>import os<br><br>os.getenv('username')<br>os.getenv('my_pass')<br> | 
Keep Requirements Scripts Small
Requirements scripts are pulled from a fileset and sent before the remainder of the fileset.
It behaves this way because if a requirements script fails, there is no point in downloading and installing the remainder of the fileset.
A fileset whose requirements have failed will not even show up in the kiosk.
Where possible, avoid piping commands. This increases overhead on the scripts. If pipes are required, try to reduce the quantity of pipes. If nothing else, this makes the scripts easier to read.
$ time system_profiler SPHardwareDataType | grep "Model Identifier" | awk '{print $NF}'
MacBookPro11,4
$ system_profiler SPHardwareDataType | awk '/Model Identifier/ {print $NF}'
MacBookPro11,4And other commands may achieve the same result more efficiently without the need to pipe.
$ time system_profiler SPHardwareDataType | grep "Model Identifier" | awk '{print $NF}'
MacBookPro11,4
real	0m0.192s
user	0m0.071s
sys	0m0.049s
$ time sysctl -n hw.model
MacBookPro11,4
real	0m0.004s
user	0m0.001s
sys	0m0.002sConsider this for all scripts beyond just requirement scripts.
Leverage Dependancies and Scripts
If there is a script that several filesets will need, don't paste the same script into each one. Create an empty fileset with that script, and make the other filesets dependent upon it.
Log Script Output to the Client Log (macOS only)
Have a script that needs to write details steps to a log?
Want a quick status of the script.
Have a script write to the client log.
macOS / Linux
#!/bin/bash
exec 1>>/var/log/fwcld.log
exec 2>>/var/log/fwcld.log
... rest of scriptYou can then use Client Monitor, and pull and view the log as things are happening.
Windows log file is locked such that additional appending may not take place
Testing Scripts
Scripts run by FileWave are run by root or System. As such, scripts should be tested using the same user context to prevent erroneous results. Many commands will yield the same result regardless, but this cannot be relied upon.
Windows
E.g. Run the following on a Windows 10 Professional system locally through Powershell as either user or 'Run As Admin' will see the following result:
 (Get-ItemProperty "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion").EditionId
ProfessionalHowever, as a Custom Field running the same script, the result is surprisingly different:
 (Get-ItemProperty "HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion").EditionId
EnterpriseThis is because Windows is providing a different answer based upon either the user running the script or may provide different responses based on 32-bit or 64-bit.
Take a look at Getting a CMD prompt as SYSTEM in Windows Vista and Windows Server 2008 for details about running scripts as System. Note, that by default, this will start an executable as 64-bit, for native 64-bit OS. However, the above example is because the FileWave fwcld process is calling the 32-bit version of PowerShell.
PsTools
This relies on downloading and installing, onto the test machine, PsTools.
To mimic this experience, consider the guide to starting the CMD. When launching an executable, like PowerShell, the 32-bit version would need to be referenced. For example:
PSEXEC  -i -s -d C:\Windows\SysWOW64\windowsPowerShell\v1.0\powershell.exeFor CMD, the equivalent would be:
PSEXEC -i -s -d %windir%\SysWoW64\cmd.exeSimilarly, when attempting to run some commands, it may be necessary to ensure Windows is using the correct version of a binary with the 'sysnative' redirect. An example would be bitlocker's 'manage-bde.exe'. To use this in a Fileset, try the following:
C:\Windows\sysnative\manage-bde.exe -statusIf you have a requirement to run a particular command through the 64 bit version of Powershell this can be achieved as follows:
If ( [IntPtr]::Size * 8 -ne 64 )
{
    C:\Windows\SysNative\WindowsPowerShell\v1.0\PowerShell.exe -File $MyInvocation.MyCommand.Path
}
Else
{
    # Add code here
}Another method to execute an entire script in the native environment (32bit on 32bit or 64bit on 64bit) is as follows:
#############################################################################
#If Powershell is running the 32-bit version on a 64-bit machine, we 
#need to force powershell to run in 64-bit mode .
#############################################################################
if ($env:PROCESSOR_ARCHITECTURE -eq "AMD64") {
    #write-warning "Take me to 64-bit....."
    if ($myInvocation.Line) {
        &"$env:WINDIR\sysnative\windowspowershell\v1.0\powershell.exe" -NonInteractive -NoProfile $myInvocation.Line
    }else{
        &"$env:WINDIR\sysnative\windowspowershell\v1.0\powershell.exe" -NonInteractive -NoProfile -file "$($myInvocation.InvocationName)" $args
    }
exit $lastexitcode
}
# Main script
# Uncomment the next line to prove that we are always in 64bit
#[Environment]::Is64BitProcess
# Your 64bit script here.
#############################################################################
#End
#############################################################################  Example
Create a new admin account
Two Fileset Environment Varaibles would be supplied. To add the user 'rstephens' with the password 'filewave'
| Variable | Value | 
| username | rstephens | 
| password | filewave | 
Parameters may be supplied, that can then be added to the execution of Powershell from within the script:
Param ( 
    [string]$MyUsername = $Env:username,
    [string]$MyPassword = $Env:filewave
)
If ( [IntPtr]::Size * 8 -ne 64 )
{
    C:\Windows\SysNative\WindowsPowerShell\v1.0\PowerShell.exe -File $MyInvocation.MyCommand.Path -MyUsername $MyUsername -MyPassword $MyPassword
}
Else
{
    (New-LocalUser -AccountNeverExpires:$true -Password ( ConvertTo-SecureString -AsPlainText -Force $MyPassword) -Name $MyUsername | Add-LocalGroupMember -Group administrators)
}As a best practice, always check the "Disable Windows 32-bit on Windows 64-bit redirection" checkbox in the Properties tab for your fileset. This ensures that any scripts in the fileset will be run in a 64-bit session and built-in Windows executables triggered by those scripts will call the 64-bit versions.
macOS
On macOS, running commands as sudo is not necessarily the same as actually becoming root.
E.g. Run the following commands to evaluate the local variable $HOME, once using sudo and once as root.
$ whoami
auser
$ sudo echo $HOME
/Users/auser
$ sudo su -
$ whoami 
root
$ echo $HOME
/var/rootIt is common to see plist files edited with the 'defaults' command. However this command is unique when it comes to ownership and permissions of files. The 'defaults' command will both take ownership and change permissions of files when used to write to plist files:
$ whoami   
root
$ ls -al /tmp/example_plist.plist
-rw-r--r--  1 rstephens  staff  66 Feb 28 10:03 /tmp/example_plist.plist
$ defaults write /tmp/example_plist Label example_plist
$ ls -al /tmp/example_plist.plist
-rw-------  1 root  wheel  66 Feb 28 10:05 /tmp/example_plist.plistAs such, ensure to add a repair to scripts to reset permissions and ownership after the command has been used or consider using the following command instead:
/usr/libexec/PlistBuddyOther Script Recipes
- 
DeepFreeze (Knowledge Base) 
- 
Device Details - Booster Client Preferences Reporting (Knowledge Base) 
- 
DRAFT - Repeating Scripts (cron) (Drafts) 
- 
Execute macOS scripts as Console User (Knowledge Base) 
- 
Firmware (macOS 10.6 - macOS 10.12) (Knowledge Base) 
- 
Full macOS Model name to Inventory (Drafts) 
- 
Hide local macOS admins (Knowledge Base) 
- 
Remotely Enable Screen Sharing for a user - Pre macOS 10.14 (Knowledge Base) 
- 
Remove Casper JSS Client Components (Knowledge Base) 
- 
indows Firewall rules (Drafts) 
