The Big Book of PowerShell Error Handling
The Big Book of PowerShell Error Handling
http://PowerShell.org
This guide is released under the Creative Commons Attribution-NoDerivs 3.0 Unported License. The authors
encourage you to redistribute this file as widely as possible, but ask that you do not modify the document.
PowerShell.org ebooks are works-in-progress, and many are curated by members of the community. We
encourage you to check back for new editions at least twice a year, by visiting PowerShell.org. You may also
subscribe to our monthly e-mail TechLetter for notifications of updated ebook editions. Visit PowerShell.org
for more information on the newsletter.
Feedback and corrections, as well as questions about this ebooks content, can be posted in the PowerShell
Q&A forum on PowerShell.org. Moderators will make every attempt to either address your concern, or to
engage the appropriate ebook author.
Introduction ....................................................................................................................................................................................................... 5
What is error handling? ........................................................................................................................................................................... 5
How this book is organized .................................................................................................................................................................... 5
PowerShell Error Handling Basics........................................................................................................................................................... 6
ErrorRecords and Exceptions ............................................................................................................................................................... 6
Terminating versus Non-Terminating Errors ............................................................................................................................... 7
Controlling Error Reporting Behavior and Intercepting Errors ................................................................................................ 8
The $Error Variable ................................................................................................................................................................................... 8
ErrorVariable ............................................................................................................................................................................................... 8
$MaximumErrorCount ............................................................................................................................................................................. 9
ErrorAction and $ErrorActionPreference ....................................................................................................................................... 9
Try/Catch/Finally ....................................................................................................................................................................................10
Trap ................................................................................................................................................................................................................12
The $LASTEXITCODE Variable ...........................................................................................................................................................13
The $? Variable ..........................................................................................................................................................................................14
Summary ......................................................................................................................................................................................................14
Analysis of Error Handling Test Results .............................................................................................................................................17
Intercepting Non-Terminating Errors ............................................................................................................................................17
ErrorVariable versus $Error ..........................................................................................................................................................17
Intercepting Terminating Errors .......................................................................................................................................................18
$_ .................................................................................................................................................................................................................18
$Error .......................................................................................................................................................................................................18
ErrorVariable ........................................................................................................................................................................................18
Effects of setting ErrorAction or $ErrorActionPreference ....................................................................................................18
How PowerShell behaves when it encounters unhandled terminating errors ............................................................19
PowerShell continues execution after a terminating error is produced by: .............................................................19
PowerShell aborts execution when a terminating error is produced by: ..................................................................19
Conclusions .................................................................................................................................................................................................20
Putting It All Together.................................................................................................................................................................................22
Suppressing errors (Mostly, don't do this) ...................................................................................................................................22
The $? variable (Use it at your own risk) .......................................................................................................................................22
Determining what types of errors can be produced by a command .................................................................................23
Dealing with Terminating Errors ......................................................................................................................................................25
Dealing with Non-Terminating Errors ............................................................................................................................................25
Calling external programs ....................................................................................................................................................................27
Afterword .........................................................................................................................................................................................................28
Introduction
Error handling in Windows PowerShell can be a complex topic. The goal of this book which is fortunately
not as big as the name implies is to help clarify some of that complexity, and help you do a better and more
concise job of handling errors in your scripts.
Figure 2.1: Using $Error to access error information, check the count, and clear the list.
If you're planning to make use of the $Error variable in your scripts, keep in mind that it may already contain
information about errors that happened in the current PowerShell session before your script was even
started. Also, some people consider it a bad practice to clear the $Error variable inside a script; since its a
variable global to the PowerShell session, the person that called your script might want to review the
contents of $Error after it completes.
ErrorVariable
The ErrorVariable common parameter provides you with an alternative to using the built-in $Error collection.
Unlike $Error, your ErrorVariable will only contain errors that occurred from the command you're calling,
instead of potentially having errors from elsewhere in the current PowerShell session. This also avoids
having to clear the $Error list (and the breach of etiquette that entails.)
When using ErrorVariable, if you want to append to the error variable instead of overwriting it, place a + sign
in front of the variable's name. Note that you do not use a dollar sign when you pass a variable name to the
ErrorVariable parameter, but you do use the dollar sign later when you check its value.
The variable assigned to the ErrorVariable parameter will never be null; if no errors occurred, it will contain
an ArrayList object with a Count of 0, as seen in figure 2.2:
$MaximumErrorCount
By default, the $Error variable can only contain a maximum of 256 errors before it starts to lose the oldest
ones on the list. You can adjust this behavior by modifying the $MaximumErrorCount variable.
The default value of Continue causes the error to be written to the Error stream and added to the
$Error variable, and then the Cmdlet continues processing.
A value of SilentlyContinue only adds the error to the $Error variable; it does not write the error to
the Error stream (so it will not be displayed at the console).
A value of Ignore both suppresses the error message and does not add it to the $Error variable. This
option was added with PowerShell 3.0.
A value of Stop causes non-terminating errors to be treated as terminating errors instead,
immediately halting the Cmdlet's execution. This also enables you to intercept those errors in a
Try/Catch or Trap statement, as described later in this section.
A value of Inquire causes PowerShell to ask the user whether the script should continue or not when
an error occurs.
The $ErrorActionPreference variable can be used just like the ErrorAction parameter, with a couple of
exceptions: you cannot set $ErrorActionPreference to either Ignore or Suspend. Also,
9
$ErrorActionPreference affects your current scope in addition to any child commands you call; this subtle
difference has the effect of allowing you to control the behavior of errors that are produced by .NET methods,
or other causes such as PowerShell encountering a "command not found" error.
Figure 2.3 demonstrates the effects of the three most commonly used $ErrorActionPreference settings.
Try/Catch/Finally
The Try/Catch/Finally statements, added in PowerShell 2.0, are the preferred way of handling terminating
errors. They cannot be used to handle non-terminating errors, unless you force those errors to become
terminating errors with ErrorAction or $ErrorActionPreference set to Stop.
To use Try/Catch/Finally, you start with the Try keyword followed by a single PowerShell script block.
Following the Try block can be any number of Catch blocks, and either zero or one Finally block. There must
be a minimum of either one Catch block or one Finally block; a Try block cannot be used by itself.
The code inside the Try block is executed until it is either complete, or a terminating error occurs. If a
terminating error does occur, execution of the code in the Try block stops. PowerShell writes the terminating
error to the $Error list, and looks for a matching Catch block (either in the current scope, or in any parent
10
scopes.) If no Catch block exists to handle the error, PowerShell writes the error to the Error stream, the
same thing it would have done if the error had occurred outside of a Try block.
Catch blocks can be written to only catch specific types of Exceptions, or to catch all terminating errors. If you
do define multiple catch blocks for different exception types, be sure to place the more specific blocks at the
top of the list; PowerShell searches catch blocks from top to bottom, and stops as soon as it finds one that is a
match.
If a Finally block is included, its code is executed after both the Try and Catch blocks are complete, regardless
of whether an error occurred or not. This is primarily intended to perform cleanup of resources (freeing up
memory, calling objects Close() or Dispose() methods, etc.)
Figure 2.4 demonstrates the use of a Try/Catch/Finally block:
Notice that Statement after the error is never displayed, because a terminating error occurred on the
previous line. Because the error was based on an IOException, that Catch block was executed, instead of the
general catch-all block below it. Afterward, the Finally executes and changes the value of $testVariable.
11
Also notice that while the Catch block specified a type of [System.IO.IOException], the actual exception type
was, in this case, [System.IO.DirectoryNotFoundException]. This works because
DirectoryNotFoundException is inherited from IOException, the same way all exceptions share the same base
type of System.Exception. You can see this in figure 2.5:
Figure 2.5: Showing that IOException is the Base type for DirectoryNotFoundException
Trap
Trap statements were the method of handling terminating errors in PowerShell 1.0. As with
Try/Catch/Finally, the Trap statement has no effect on non-terminating errors.
Trap is a bit awkward to use, as it applies to the entire scope where it is defined (and child scopes as well),
rather than having the error handling logic kept close to the code that might produce the error the way it is
when you use Try/Catch/Finally. For those of you familiar with Visual Basic, Trap is a lot like "On Error
Goto". For that reason, Trap statements don't see a lot of use in modern PowerShell scripts, and I didnt
include them in the test scripts or analysis in Section 3 of this ebook.
For the sake of completeness, heres an example of how to use Trap:
12
As you can see, Trap blocks are defined much the same way as Catch blocks, optionally specifying an
Exception type. Trap blocks may optionally end with either a Break or Continue statement. If you dont use
either of those, the error is written to the Error stream, and the current script block continues with the next
line after the error. If you use Break, as seen in figure 2.5, the error is written to the Error stream, and the
rest of the current script block is not executed. If you use Continue, the error is not written to the error
stream, and the script block continues execution with the next statement.
13
The $? Variable
The $? variable is a Boolean value that is automatically set after each PowerShell statement or pipeline
finishes execution. It should be set to True if the previous command was successful, and False if there was an
error. If the previous command was a call to a native exe, $? will be set to True if the $LASTEXITCODE
variable equals zero, and False otherwise. When the previous command was a PowerShell statement, $? will
be set to False if any errors occurred (even if ErrorAction was set to SilentlyContinue or Ignore.)
Just be aware that the value of this variable is reset after every statement. You must check its value
immediately after the command youre interested in, or it will be overwritten (probably to True). Figure 2.8
demonstrates this behavior. The first time $? is checked, it is set to False, because the Get-Item encountered
an error. The second time $? was checked, it was set to True, because the previous command was successful;
in this case, the previous command was $? from the first time the variables value was displayed.
The $? variable doesnt give you any details about what error occurred; its simply a flag that something went
wrong. In the case of calling executable programs, you need to be sure that they return an exit code of 0 to
indicate success and non-zero to indicate an error before you can rely on the contents of $?.
Summary
That covers all of the techniques you can use to either control error reporting or intercept and handle errors
in a PowerShell script. To summarize:
To intercept and react to non-terminating errors, you check the contents of either the automatic
$Error collection, or the variable you specified as the ErrorVariable. This is done after the command
14
completes; you cannot react to a non-terminating error before the Cmdlet or Function finishes its
work.
To intercept and react to terminating errors, you use either Try/Catch/Finally (preferred), or Trap
(old and not used much now.) Both of these constructs allow you to specify different script blocks to
react to different types of Exceptions.
Using the ErrorAction parameter, you can change how PowerShell cmdlets and functions report nonterminating errors. Setting this to Stop causes them to become terminating errors instead, which can
be intercepted with Try/Catch/Finally or Trap.
$ErrorActionPreference works like ErrorAction, except it can also affect PowerShells behavior when
a terminating error occurs, even if those errors came from a .NET method instead of a cmdlet.
$LASTEXITCODE contains the exit code of external executables. An exit code of zero usually indicates
success, but thats up to the author of the program.
$? can tell you whether the previous command was successful, though you have to be careful about
using it with external commands, if they dont follow the convention of using an exit code of zero as
an indicator of success. You also need to make sure you check the contents of $? immediately after
the command you are interested in.
15
16
When dealing only with non-terminating errors, are there differences between how $Error and
ErrorVariable present information about the errors that occurred? Does it make any difference if the
errors came from a Cmdlet or Advanced Function?
When using a Try/Catch block, are there any differences in behavior between the way $Error,
ErrorVariable, and $_ give information about the terminating error that occurred? Does it make any
difference if the errors came from a Cmdlet, Advanced Function, or .NET method?
When non-terminating errors happened in addition to the terminating error, are there differences
between how $Error and ErrorVariable present the information? Does it make any difference if the
errors came from a Cmdlet or Advanced Function?
In the above tests, are there any differences between a terminating error that was produced
normally, as compared to a non-terminating error that occurred when ErrorAction or
$ErrorActionPreference was set to Stop?
The second section consists of a few tests to determine whether ErrorAction or $ErrorActionPreference affect
terminating errors, or only non-terminating errors.
The final section tests how PowerShell behaves when it encounters unhandled terminating errors from each
possible source (a Cmdlet that uses PSCmdlet.ThrowTerminatingError(), an Advanced Function that uses
PowerShell's Throw statement, a .NET method that throws an exception, a Cmdlet or Advanced Function that
produce non-terminating errors when ErrorAction is set to Stop, and an unknown command.)
The results of all tests were identical in PowerShell 3.0 and 4.0. PowerShell 2.0 had a couple of differences,
which will be called out in the analysis.
$_
At the beginning of a Catch block, the $_ variable always refers to an ErrorRecord object for the terminating
error, regardless of how that error was produced.
$Error
At the beginning of a Catch block, $Error[0] always refers to an ErrorRecord object for the terminating error,
regardless of how that error was produced.
ErrorVariable
Here, things start to get screwy. When a terminating error is produced by a cmdlet or function and you're
using ErrorVariable, the variable will contain some unexpected items, and the results are quite different
across the various tests performed:
When calling an Advanced Function that throws a terminating error, the ErrorVariable contains two
identical ErrorRecord objects for the terminating error.
In addition, if you're running PowerShell 2.0, these ErrorRecords are followed by two identical
objects of type System.Management.Automation.RuntimeException. These RuntimeException
objects contain an ErrorRecord property, which refers to ErrorRecord objects identical to the pair
that was also contained in the ErrorVariable list. The extra RuntimeException objects are not
present in PowerShell 3.0 or later.
When calling a Cmdlet that throws a terminating error, the ErrorVariable contains a single record,
but is not an ErrorRecord object. Instead, it's an instance of
System.Management.Automation.CmdletInvocationException. Like the RuntimeException objects
mentioned in the last point, CmdletInvocationException contains an ErrorRecord property, and that
property refers to the ErrorRecord object that you would have expected to be contained in the
ErrorVariable list.
When calling an Advanced Function with ErrorAction set to Stop, the ErrorVariable contains one
object of type System.Management.Automation.ActionPreferenceStopException, followed by two
identical ErrorRecord objects. As with the RuntimeException and CmdletInvocationException types,
ActionPreferenceStopException contains an ErrorRecord property, which refers to an ErrorRecord
object that is identical to the two that were included directly in the ErrorVariable's list.
In addition, if running PowerShell 2.0, there are then two more identical objects of type
ActionPreferenceStopException, for a total of 5 entries all related to the same terminating error.
When calling a Cmdlet with ErrorAction set to Stop, the ErrorVariable contains a single object of type
System.Management.Automation.ActionPreferenceStopException. The ErrorRecord property of this
ActionPreferenceStopException object contains the ErrorRecord object that you would have
expected to be directly in the ErrorVariable's list.
statement in an Advanced Function (though not terminating errors coming from Cmdlets via the
PSCmdlet.ThrowTerminatingError() method.)
If you set the $ErrorActionPreference variable before calling the command, its value affects both terminating
and non-terminating errors.
This is undocumented behavior; PowerShell's help files state that both the preference variable and parameter
should only be affecting non-terminating errors.
-Cmdlet -Terminating
-Function -Terminating
-Cmdlet -NonTerminating
-Function -NonTerminating
-Method
-UnknownCommand
There is also a Test-WithRethrow function that can be called with the same parameters, to demonstrate that
the results are consistent across all 6 cases when you handle each error and choose whether to abort the
function.
In order to achieve consistent behavior between these different sources of terminating errors, you can put
commands that might potentially produce a terminating error into a Try block. In the Catch block, you can
decide whether to abort execution of the current script block or not. Figure 3.1 shows an example of forcing a
19
function to abort when it hits a terminating exception from a Cmdlet (a situation where PowerShell would
normally just continue and execute the "After terminating error." statement), by re-throwing the error from
the Catch block. When Throw is used with no arguments inside of a Catch block, it passes the same error up
to the parent scope.
Conclusions
For non-terminating errors, you can use either $Error or ErrorVariable without any real headaches. While
the order of the ErrorRecords is reversed between these options, you can easily deal with that in your code,
assuming you consider that to be a problem at all. As soon as terminating errors enter the picture, however,
ErrorVariable has some very annoying behavior: it sometimes contains Exception objects instead of
ErrorRecords, and in many cases, has one or more duplicate objects all relating to the terminating error.
While it is possible to code around these quirks, it really doesn't seem to be worth the effort when you can
easily use $_ or $Error[0].
When you're calling a command that might produce a terminating error and you do not handle that error
with a Try/Catch or Trap statement, PowerShell's behavior is inconsistent, depending on how the terminating
error was generated. In order to achieve consistent results regardless of what commands you're calling, place
such commands into a Try block, and choose whether or not to re-throw the error in the Catch block.
20
21
22
23
Ironically, this was a handy place both to use the Trap statement and to set $ErrorActionPreference to
SilentlyContinue, both things that I would almost never do in an enterprise script. As you can see in figure
4.1, Get-Acl produces terminating exceptions when the file exists, but the cmdlet cannot read the ACL. GetItem and Get-Acl both produce non-terminating errors if the file doesn't exist.
Going through this sort of trial and error can be a time-consuming process, though. You need to come up with
the different ways a command might fail, and then reproduce those conditions to see if the resulting error
was terminating or non-terminating. As a result of how annoying this can be, in addition to this ebook, the
GitHub repository will contain a spreadsheet with a list of known Terminating errors from cmdlets. That will
be a living document, possibly converted to a wiki at some point. While it will likely never be a complete
reference, due to the massive number of PowerShell cmdlets out there, it's a lot better than nothing.
In addition to knowing whether errors are terminating or non-terminating, you may also want to know what
types of Exceptions are being produced. Figure 4.3 demonstrates how you can list the exception types that
are associated with different types of errors. Each Exception object may optionally contain an
InnerException, and you can use any of them in a Catch or Trap block:
24
Figure 4.4: Using Try/Catch and ErrorAction Stop when dealing with a single object.
If the command should only ever produce Non-Terminating errors, I use ErrorVariable. This category is
larger than youd think; most PowerShell cmdlet errors are Non-Terminating:
Figure 4.5: Using ErrorVariable when you wont be annoyed by its behavior arising from Terminating
errors.
When you're examining the contents of your ErrorVariable, remember that you can usually get useful
information about what failed by looking at an ErrorRecord's CategoryInfo.Activity property (which cmdlet
produced the error) and TargetObject property (which object was it processing when the error occurred).
However, not all cmdlets populate the ErrorRecord with a TargetObject, so you'll want to do some testing
ahead of time to determine how useful this technique will be. If you find a situation where a cmdlet should be
telling you about the TargetObject, but doesn't, consider changing your code structure to process one object
at a time, as in figure 4.4. That way, you'll already know what object is being processed.
A trickier scenario arises if a particular command might produce either Terminating or Non-Terminating
errors. In those situations, if its practical, I try to change my code to call the command on one object at a
time. If you find yourself in a situation where this is not desirable (though Im hard pressed to come up with
an example), I recommend the following approach to avoid ErrorVariables quirky behavior and also avoid
calling $error.Clear():
26
Figure 4.6: Using $error without calling Clear() and ignoring previously-existing error records.
As you can see, the structure of this code is almost the same as when using the ErrorVariable parameter, with
the addition of a Try block around the offending code, and the use of the $previousError variable to make
sure were only reacting to new errors in the $error collection. In this case, I have an empty Catch block,
because the terminating error (if one occurs) is going to be also added to $error and handled in the foreach
loop anyway. You may prefer to handle the terminating error in the Catch block and non-terminating errors
in the loop; either way works.
27
Afterword
We hope youve found this guide to be useful! This is always going to be a work in progress; as people bring
material and suggestions, well incorporate that as best we can and publish a new edition.
28