
I’ve been playing around with a bunch of different code fragments from all over the place, but I think I found a good mix that works. For now at least. Special (huge, gigantic) thanks to Matthew Dowst and Eli Shlomo for code examples which were used to build the following.
Requirements
- Intune subscription, with devices being managed with software updates
- A LogAnalytics Workspace with Update Compliance solution added for collecting telemetry data
- PowerShell
- Azure / Log Analytics: SubscriptionId, ResourceGroup, WorkspaceName
- LogAnalyticsQuery.psm1 (below)
- Invoke-LogAnalyticsQuery.ps1 (below)
Assembly
First, I got a huge leg-up with a KQL query from Matthew Dowst to show Log Analytics results from WaaSDeploymentStatus…
WaaSDeploymentStatus
| where TimeGenerated > ago(1d)
| where ReleaseName contains "KB4534273"
| summarize arg_max(TimeGenerated, *) by ComputerID
| project Computer, ComputerID, ExpectedInstallDate, DeploymentStatus, DetailedStatus
| render table
From there, I added a few (small) changes to show the OSName and OSVersion. But since each KB is matched to a particular build/version of Windows 10 (e.g. 1903 = KB4528760, 1809 = KB4534273, etc.) I ended up needing to match the query to the build so I look for the relevant data.
Next, I stumbled over this (actually, I stumbled over the cat, and a pair of slippers first, then the code)… https://www.eshlomo.us/query-azure-log-analytics-data-with-powershell/
I applied some voodoo magic brain sauce, and sprinkled some caffeine dust on it as follows:
$apiVersion = "2017-01-01-preview"
<#
.DESCRIPTION
Invokes a query against the Log Analtyics Query API.
.EXAMPLE
Invoke-LogAnaltyicsQuery -WorkspaceName my-workspace -SubscriptionId 0f991b9d-ab0e-4827-9cc7-984d7319017d -ResourceGroup my-resourcegroup
-Query "union * | limit 1" -CreateObjectView
.PARAMETER WorkspaceName
The name of the Workspace to query against.
.PARAMETER SubscriptionId
The ID of the Subscription this Workspace belongs to.
.PARAMETER ResourceGroup
The name of the Resource Group this Workspace belongs to.
.PARAMETER Query
The query to execute.
.PARAMETER Timespan
The timespan to execute the query against. This should be an ISO 8601 timespan.
.PARAMETER IncludeTabularView
If specified, the raw tabular view from the API will be included in the response.
.PARAMETER IncludeStatistics
If specified, query statistics will be included in the response.
.PARAMETER IncludeRender
If specified, rendering statistics will be included (useful when querying metrics).
.PARAMETER ServerTimeout
Specifies the amount of time (in seconds) for the server to wait while executing the query.
.PARAMETER Environment
Internal use only.
.NOTES
Adapted heavily from Eli Shlomo's example at https://www.eshlomo.us/query-azure-log-analytics-data-with-powershell/
#>
function Invoke-LogAnalyticsQuery {
param (
[Parameter(Mandatory)][string] $WorkspaceName,
[Parameter(Mandatory)][guid] $SubscriptionId,
[Parameter(Mandatory)][string] $ResourceGroup,
[Parameter(Mandatory)][string] $Query,
[string] $Timespan,
[switch] $IncludeTabularView,
[switch] $IncludeStatistics,
[switch] $IncludeRender,
[int] $ServerTimeout,
[string][ValidateSet("", "int", "aimon")] $Environment = ""
)
$ErrorActionPreference = "Stop"
$accessToken = GetAccessToken
$armhost = GetArmHost $environment
$queryParams = @("api-version=$apiVersion")
$queryParamString = [string]::Join("&", $queryParams)
$uri = BuildUri $armHost $subscriptionId $resourceGroup $workspaceName $queryParamString
$body = @{
"query" = $query;
"timespan" = $Timespan
} | ConvertTo-Json
$headers = GetHeaders $accessToken -IncludeStatistics:$IncludeStatistics -IncludeRender:$IncludeRender -ServerTimeout $ServerTimeout
$response = Invoke-WebRequest -UseBasicParsing -Uri $uri -Body $body -ContentType "application/json" -Headers $headers -Method Post
if ($response.StatusCode -ne 200 -and $response.StatusCode -ne 204) {
$statusCode = $response.StatusCode
$reasonPhrase = $response.StatusDescription
$message = $response.Content
throw "Failed to execute query.`nStatus Code: $statusCode`nReason: $reasonPhrase`nMessage: $message"
}
$data = $response.Content | ConvertFrom-Json
$result = New-Object PSObject
$result | Add-Member -MemberType NoteProperty -Name Response -Value $response
# In this case, we only need the response member set and we can bail out
if ($response.StatusCode -eq 204) {
$result
return
}
$objectView = CreateObjectView $data
$result | Add-Member -MemberType NoteProperty -Name Results -Value $objectView
if ($IncludeTabularView) {
$result | Add-Member -MemberType NoteProperty -Name Tables -Value $data.tables
}
if ($IncludeStatistics) {
$result | Add-Member -MemberType NoteProperty -Name Statistics -Value $data.statistics
}
if ($IncludeRender) {
$result | Add-Member -MemberType NoteProperty -Name Render -Value $data.render
}
$result
}
function GetAccessToken {
$azureCmdlet = get-command -Name Get-AzureRMContext -ErrorAction SilentlyContinue
if ($null -eq $azureCmdlet) {
$null = Import-Module AzureRM -ErrorAction Stop;
}
$AzureContext = & "Get-AzureRmContext" -ErrorAction Stop;
$authenticationFactory = New-Object -TypeName Microsoft.Azure.Commands.Common.Authentication.Factories.AuthenticationFactory
if ((Get-Variable -Name PSEdition -ErrorAction Ignore) -and ('Core' -eq $PSEdition)) {
[Action[string]]$stringAction = {param($s)}
$serviceCredentials = $authenticationFactory.GetServiceClientCredentials($AzureContext, $stringAction)
}
else {
$serviceCredentials = $authenticationFactory.GetServiceClientCredentials($AzureContext)
}
# We can't get a token directly from the service credentials. Instead, we need to make a dummy message which we will ask
# the serviceCredentials to add an auth token to, then we can take the token from this message.
$message = New-Object System.Net.Http.HttpRequestMessage -ArgumentList @([System.Net.Http.HttpMethod]::Get, "http://foobar/")
$cancellationToken = New-Object System.Threading.CancellationToken
$null = $serviceCredentials.ProcessHttpRequestAsync($message, $cancellationToken).GetAwaiter().GetResult()
$accessToken = $message.Headers.GetValues("Authorization").Split(" ")[1] # This comes out in the form "Bearer <token>"
$accessToken
}
function GetArmHost {
param(
[string] $environment
)
switch ($environment) {
"" {
$armHost = "management.azure.com"
}
"aimon" {
$armHost = "management.azure.com"
}
"int" {
$armHost = "api-dogfood.resources.windows-int.net"
}
}
$armHost
}
function BuildUri {
param (
[string] $armHost,
[string] $subscriptionId,
[string] $resourceGroup,
[string] $workspaceName,
[string] $queryParams
)
"https://$armHost/subscriptions/$subscriptionId/resourceGroups/$resourceGroup/providers/" + `
"microsoft.operationalinsights/workspaces/$workspaceName/api/query?$queryParamString"
}
function GetHeaders {
param (
[string] $AccessToken,
[switch] $IncludeStatistics,
[switch] $IncludeRender,
[int] $ServerTimeout
)
$preferString = "response-v1=true"
if ($IncludeStatistics) {
$preferString += ",include-statistics=true"
}
if ($IncludeRender) {
$preferString += ",include-render=true"
}
if ($null -ne $ServerTimeout) {
$preferString += ",wait=$ServerTimeout"
}
$headers = @{
"Authorization" = "Bearer $accessToken";
"prefer" = $preferString;
"x-ms-app" = "LogAnalyticsQuery.psm1";
"x-ms-client-request-id" = [Guid]::NewGuid().ToString();
}
$headers
}
function CreateObjectView {
param (
$data
)
# Find the number of entries we'll need in this array
$count = 0
foreach ($table in $data.Tables) {
$count += $table.Rows.Count
}
$objectView = New-Object object[] $count
$i = 0;
foreach ($table in $data.Tables) {
foreach ($row in $table.Rows) {
# Create a dictionary of properties
$properties = @{}
for ($columnNum=0; $columnNum -lt $table.Columns.Count; $columnNum++) {
$properties[$table.Columns[$columnNum].name] = $row[$columnNum]
}
# Then create a PSObject from it. This seems to be *much* faster than using Add-Member
$objectView[$i] = (New-Object PSObject -Property $properties)
$null = $i++
}
}
$objectView
}
Export-ModuleMember Invoke-LogAnalyticsQuery
Then I built an array / list (okay, a stupid nested array like a noob, geez) to match the OS versions to the respective KB numbers. The KQL query also has an added line for OSVersion, and the project statement adds OSVersion and OSBuild to the output stream.
param (
[string] $WorkspaceName = "<your workspace name>",
[guid] $SubscriptionId = "<your subscription id>",
[string] $ResourceGroupName = "<your resource group name>"
)
if (!(Get-Module LogAnalyticsQuery)) { Import-Module .\LogAnalyticsQuery.psm1 }
$kblist = (('1903','KB4528760'),('1809','KB4534273'),('1803','KB4534293'),('1709','KB4534276'))
$results = @()
foreach ($kbset in $kblist) {
$query = @"
WaaSDeploymentStatus
| where TimeGenerated > ago(1d)
| where OSVersion == "$($kbset[0])"
| where ReleaseName contains "$($kbset[1])"
| summarize arg_max(TimeGenerated, *) by ComputerID
| project Computer, ComputerID, OSVersion, OSBuild, ExpectedInstallDate, DeploymentStatus, DetailedStatus
| render table
"@
$params = @{
Query = $query
WorkspaceName = $WorkspaceName
SubscriptionId = $SubscriptionId
ResourceGroup = $ResourceGroupName
}
$results += ($(Invoke-LogAnalyticsQuery @params).Results)
}
$results
Putting these both in the same folder as LogAnalyticsQuery.psm1 and Invoke-LogAnalyticsQuery.ps1 (respectively), I can run it to compile results and pump them out to a gridview …
.\Invoke-LogAnalyticsQuery.ps1 | Out-GridView
Or output to an Excel workbook using Doug Finke’s ImportExcel PowerShell module…
.\Invoke-LogAnalyticsQuery.ps1 | Export-Excel -Path "c:\reports\CU-installs.xlsx" -Show -WorksheetName "Installs" -ClearSheet -AutoSize -AutoFilter -FreezeTopRow

Cheers!