Skip to content

Instantly share code, notes, and snippets.

@JustinGrote
Last active October 4, 2023 14:55
Show Gist options
  • Save JustinGrote/110c03b3190072bfdaaa to your computer and use it in GitHub Desktop.
Save JustinGrote/110c03b3190072bfdaaa to your computer and use it in GitHub Desktop.
Get-WinEventXPathFilter
Function Get-WinEventXPathFilter
{
<#
.SYNOPSIS
This function generates an xpath filter that can be used with the -FilterXPath
parameter of Get-WinEvent. It may also be used inside the <Select></Select tags
of a Custom View in Event Viewer.
.DESCRIPTION
This function generates an xpath filter that can be used with the -FilterXPath
parameter of Get-WinEvent. It may also be used inside the <Select></Select tags
of a Custom View in Event Viewer.
This function allows for the create of xpath which can select events based on
many properties of the event including those of named data nodes in the event's
XML.
XPath is case sensetive and the data passed to the parameters here must
match the case of the data in the event's XML.
.NOTES
Original Code by https://community.spiceworks.com/scripts/show/3238-powershell-xpath-generator-for-windows-events
Extended by Justin Grote
.LINK
.PARAMETER ID
This parameter accepts and array of event ids to include in the xpath filter.
.PARAMETER StartTime
This parameter sets the oldest event that may be returned by the xpath.
Please, note that the xpath time selector created here is based of of the
time the xpath is generated. XPath uses a time difference method to select
events by time; that time difference being the number of milliseconds between
the time and now.
.PARAMETER EndTime
This parameter sets the newest event that may be returned by the xpath.
Please, note that the xpath time selector created here is based of of the
time the xpath is generated. XPath uses a time difference method to select
events by time; that time difference being the number of milliseconds between
the time and now.
.PARAMETER Data
This parameter will accept an array of values that may be found in the data
section of the event's XML.
.PARAMETER ProviderName
This parameter will accept an array of values that select events from event
providers.
.PARAMETER Level
This parameter will accept an array of values that specify the severity
rating of the events to be returned.
It accepts the following values.
'Critical',
'Error',
'Informational',
'LogAlways',
'Verbose',
'Warning'
.PARAMETER Keywords
This parameter accepts and array of long integer keywords. You must
pass this parameter the long integer value of the keywords you want
to search and not the keyword description.
.PARAMETER UserID
This parameter will accept an array of SIDs or domain accounts.
.PARAMETER NamedDataFilter
This parameter will accept and array of hashtables that define the key
value pairs for which you want to filter against the event's named data
fields.
Key values, as with XPath filters, are case sensetive.
You may assign an array as the value of any key. This will search
for events where any of the values are present in that particular
data field. If you wanted to define a filter that searches for a SubjectUserName
of either john.doe or jane.doe, pass the following
@{'SubjectUserName'=('john.doe','jane.doe')}
You may specify multiple data files and values. Doing so will create
an XPath filter that will only return results where both values
are found. If you only wanted to return events where both the
SubjectUserName is john.doe and the TargetUserName is jane.doe, then
pass the following
@{'SubjectUserName'='john.doe';'TargetUserName'='jane.doe'}
You may pass an array of hash tables to create an 'or' XPath filter
that will return objects where either key value set will be returned.
If you wanted to define a filter that searches for either a
SubjectUserName of john.doe or a TargetUserName of jane.doe then pass
the following
(@{'SubjectUserName'='john.doe'},@{'TargetUserName'='jane.doe'})
.EXAMPLE
Get-WinEventXPathFilter -ID 4663 -NamedDataFilter @{'SubjectUserName'='john.doe'}
This will return an XPath filter that will return any events with
the id of 4663 and has a SubjectUserName of 'john.doe'
.EXAMPLE
Get-WinEventXPathFilter -StartTime '1/1/2015 01:30:00 PM' -EndTime '1/1/2015 02:00:00 PM'
This will return an XPath filter that will return events that occured between 1:30
2:00 PM on 1/1/2015. The filter will only be good if used immediately. XPath time
filters are based on the number of milliseconds that have occured since the event
and when the filter is used. StartTime and EndTime simply calculate the number of
milliseconds and use that for the filter.
.EXAMPLE
Get-WinEventXPathFilter -StartTime (Get-Date).AddDays(-1)
This will return an XPath filter that will get events that occured within the last
24 hours.
#>
[CmdletBinding()]
Param
(
[String[]]
$ID,
[DateTime]
$StartTime,
[DateTime]
$EndTime,
[String[]]
$Data,
[String[]]
$ProviderName,
[Long[]]
$Keywords,
[ValidateSet(
'Critical',
'Error',
'Informational',
'LogAlways',
'Verbose',
'Warning'
)]
[String[]]
$Level,
[String[]]
$UserID,
[Hashtable[]]
$NamedDataFilter,
[Hashtable[]]
$NamedDataExcludeFilter,
[String[]]
$ExcludeID
)
#region Function definitions
Function Join-XPathFilter
{
Param
(
[Parameter(
Mandatory = $True,
Position=0
)]
[String]
$NewFilter,
[Parameter(
Position=1
)]
[String]
$ExistingFilter = '',
[Parameter(
Position=2
)]
# and and or are case sensitive
# in xpath
[ValidateSet(
"and",
"or",
IgnoreCase = $False
)]
[String]
$Logic = 'and',
[switch]$NoParenthesis
)
If($ExistingFilter)
{
# If there is an existing filter add parenthesis unless noparenthesis is specified
# and the logical operator
if ($NoParenthesis) {
Return "$ExistingFilter $Logic $NewFilter"
}
Else {
Return "($ExistingFilter) $Logic ($NewFilter)"
}
}
Else
{
Return $NewFilter
}
<#
.SYNOPSIS
This function handles the parenthesis and logical joining
of XPath statements inside of Get-WinEventXPathFilter
#>
}
Function Initialize-XPathFilter
{
Param
(
[Object[]]
$Items,
[String]
$ForEachFormatString,
[String]
$FinalizeFormatString,
[switch]$NoParenthesis
)
$filter = ''
ForEach($item in $Items)
{
$options = @{
'NewFilter' = ($ForEachFormatString -f $item)
'ExistingFilter' = $filter
'Logic' = 'or'
'NoParenthesis' = $NoParenthesis
}
$filter = Join-XPathFilter @options
}
Return $FinalizeFormatString -f $filter
<#
.SYNOPSIS
This function loops thru a set of items and injecting each
item in the format string given by ForEachFormatString, then
combines each of those items together with 'or' logic
using the function Join-XPathFilter, which handles the
joining and parenthesis. Before returning the result,
it injects the resultant xpath into FinalizeFormatString.
This function is a part of Get-WinEventXPathFilter
#>
}
#endregion Function definitions
$filter = ''
#region ID filter
If($ID)
{
$options = @{
'Items' = $ID
'ForEachFormatString' = "EventID={0}"
'FinalizeFormatString' = "*[System[{0}]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion ID filter
#region Exclude ID filter
If($ExcludeID)
{
$options = @{
'Items' = $ExcludeID
'ForEachFormatString' = "EventID!={0}"
'FinalizeFormatString' = "*[System[{0}]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion Exclude ID filter
#region Date filters
$Now = Get-Date
# Time in XPath is filtered based on the number of milliseconds
# between the creation of the event and when the XPath filter is
# used.
#
# The timediff xpath function is used against the SystemTime
# attribute of the TimeCreated node.
If($StartTime)
{
$Diff = [Math]::Round($Now.Subtract($StartTime).TotalMilliseconds)
$filter = Join-XPathFilter -NewFilter "*[System[TimeCreated[timediff(@SystemTime) <= $Diff]]]" -ExistingFilter $filter
}
If($EndTime)
{
$Diff = [Math]::Round($Now.Subtract($EndTime).TotalMilliseconds)
$filter = Join-XPathFilter -NewFilter "*[System[TimeCreated[timediff(@SystemTime) >= $Diff]]]" -ExistingFilter $filter
}
#endregion Date filters
#region Data filter
If($Data)
{
$options = @{
'Items' = $Data
'ForEachFormatString' = "Data='{0}'"
'FinalizeFormatString' = "*[EventData[{0}]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion Data filter
#region ProviderName filter
If($ProviderName)
{
$options = @{
'Items' = $ProviderName
'ForEachFormatString' = "@Name='{0}'"
'FinalizeFormatString' = "*[System[Provider[{0}]]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion ProviderName filter
#region Level filter
If($Level)
{
$levels = ForEach($item in $Level)
{
# Levels in an event's XML are defined
# with integer values.
[Int][System.Diagnostics.Tracing.EventLevel]::$item
}
$options = @{
'Items' = $levels
'ForEachFormatString' = "Level={0}"
'FinalizeFormatString' = "*[System[{0}]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion Level filter
#region Keyword filter
# Keywords are stored as a long integer
# numeric value. That integer is the
# flagged (binary) combination of
# all the keywords.
#
# By combining all given keywords
# with a binary OR operation, and then
# taking the resultant number and
# comparing that against the number
# stored in the events XML with a
# binary AND operation will return
# events that have any of the submitted
# keywords assigned.
If($Keywords)
{
$keyword_filter = ''
ForEach($item in $Keywords) {
If($keyword_filter)
{
$keyword_filter = $keyword_filter -bor $item
}
Else
{
$keyword_filter = $item
}
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter "*[System[band(Keywords,$keyword_filter)]]"
}
#endregion Keyword filter
#region UserID filter
# The UserID attribute of the Security node contains a Sid.
If($UserID)
{
$sids = ForEach($item in $UserID)
{
Try
{
#If the value submitted isn't a valid sid, it'll error.
$sid = [System.Security.Principal.SecurityIdentifier]($item)
$sid = $sid.Translate([System.Security.Principal.SecurityIdentifier])
}
Catch [System.Management.Automation.RuntimeException]
{
# If a RuntimeException occured with an InvalidArgument category
# attempt to create an NTAccount object and resolve.
If($Error[0].CategoryInfo.Category -eq 'InvalidArgument')
{
Try
{
$user = [System.Security.Principal.NTAccount]($item)
$sid = $user.Translate([System.Security.Principal.SecurityIdentifier])
}
Catch
{
#There was an error with either creating the NTAccount or
#Translating that object to a sid.
Throw $Error[0]
}
}
Else
{
#There was a RuntimeException from either creating the
#SecurityIdentifier object or the translation
#and the category was not InvalidArgument
Throw $Error[0]
}
}
Catch
{
#There was an error from ether the creation of the SecurityIdentifier
#object or the Translatation
Throw $Error[0]
}
$sid.Value
}
$options = @{
'Items' = $sids
'ForEachFormatString' = "@UserID='{0}'"
'FinalizeFormatString' = "*[System[Security[{0}]]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion UserID filter
#region NamedDataFilter
If($NamedDataFilter)
{
$options = @{
'Items' = $(
# This will create set of datafilters for each of
# the hash tables submitted in the hash table array
ForEach($item in $NamedDataFilter)
{
$options = @{
'Items' = $(
#This will result in as set of XPath subexpressions
#for each key submitted in the hashtable
ForEach($key in $item.Keys)
{
If($item[$key])
{
#If there is a value for the key, create the
#XPath for the Data node with that Name attribute
#and value. Use 'and' logic to join the data values.
#to the Name Attribute.
$options = @{
'Items' = $item[$key]
'NoParenthesis' = $true
'ForEachFormatString' = "'{0}'"
'FinalizeFormatString' = "Data[@Name='$key'] = {0}"
}
Initialize-XPathFilter @options
}
Else
{
#If there isn't a value for the key, create
#XPath for the existence of the Data node with
#that paritcular Name attribute.
"Data[@Name='$key']"
}
}
)
'ForEachFormatString' = "{0}"
'FinalizeFormatString' = "{0}"
}
Initialize-XPathFilter @options
}
)
'ForEachFormatString' = "{0}"
'FinalizeFormatString' = "*[EventData[{0}]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion NamedDataFilter
#region NamedDataExcludeFilter
If($NamedDataExcludeFilter)
{
$options = @{
'Items' = $(
# This will create set of datafilters for each of
# the hash tables submitted in the hash table array
ForEach($item in $NamedDataExcludeFilter)
{
$options = @{
'Items' = $(
#This will result in as set of XPath subexpressions
#for each key submitted in the hashtable
ForEach($key in $item.Keys)
{
If($item[$key])
{
#If there is a value for the key, create the
#XPath for the Data node with that Name attribute
#and value. Use 'and' logic to join the data values.
#to the Name Attribute.
$options = @{
'Items' = $item[$key]
'NoParenthesis' = $true
'ForEachFormatString' = "'{0}'"
'FinalizeFormatString' = "Data[@Name='$key'] != {0}"
}
Initialize-XPathFilter @options
}
Else
{
#If there isn't a value for the key, create
#XPath for the existence of the Data node with
#that paritcular Name attribute.
"Data[@Name='$key']"
}
}
)
'ForEachFormatString' = "{0}"
'FinalizeFormatString' = "{0}"
}
Initialize-XPathFilter @options
}
)
'ForEachFormatString' = "{0}"
'FinalizeFormatString' = "*[EventData[{0}]]"
}
$filter = Join-XPathFilter -ExistingFilter $filter -NewFilter (Initialize-XPathFilter @options)
}
#endregion NamedDataExcludeFilter
Return $filter
} # Function Get-WinEventXPathFilter
@freedbygrace
Copy link

This is extremely useful, I was wondering, could it be modified to output the entire statement that you would paste into the XML event Viewer Query?

Currently outputs: ([System[EventID=4624]]) and ([EventData[Data[@name='LogonType'] = '2']])

Example:


*[System[(EventID=4624) and TimeCreated[timediff(@systemtime) <= 2592000000]] and EventData[Data[@name='LogonProcess'] and (Data='User32')] and EventData[Data[@name='LogonType'] and (Data='2' or Data='10' or Data='11')]]

@PrzemyslawKlys
Copy link

@feedbygrace https://github.com/EvotecIT/PSEventViewer/blob/master/Public/Get-WinEventXPathFilter.ps1 try this one. I've modified this version as I need to use it in my tool for my PSWinReporting project. I added small fixes to date comparision, eventrecordid and full output.

@wrecklesswun
Copy link

I added

$bfilter = "n<Query Id='0' Path=""$ProviderName"">n<Select Path=""$ProviderName"">"
$efilter = "n</Query>n"

Return "$bfilter`n$filter`n$efilter"

Simple and could be done better

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment