Nokopējiet un ielīmējiet šo skripta paraugu un modificējiet pēc nepieciešamības savā vidē:
<# . SYNOPSIS Apkopo drošās sāknēšanas statusa JSON datus no vairākām ierīcēm kopsavilkuma atskaitēs.
. APRAKSTS Lasīt apkopotos drošās sāknēšanas statusa JSON failus un ģenerē: - HTML informācijas panelis ar diagrammām un filtrēšanu - Summary by ConfidenceLevel - Unikālu ierīču kopuma analīze testēšanas stratēģijai Atbalsta: - Faili katram datoram: HOSTNAME_latest.json (ieteicams) - Viens JSON fails HostName automātiski deduplicates patur jaunāko CollectionTime. Pēc noklusējuma ir iekļautas tikai tās ierīces, kuru uzticamība ir "Action Req" vai "Augsta" lai koncentrētos uz izpildāmiem intervāliem. Izmantojiet -IncludeAllConfidenceLevels, lai ignorētu.
. PARAMETER InputPath Ceļš uz JSON failu(s): - Folder (Mape): lasa visus *_latest.json failus (vai *.json ja _latest failus) - Fails: lasa vienu JSON failu
. PARAMETER OutputPath Ģenerēto atskaišu ceļš (noklusējums: .\SecureBootReports)
. PIEMĒRS #Aggregate from folder of per-machine files (recommended) .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" # Reads: \\contoso\SecureBootLogs$\*_latest.json
. PIEMĒRS # Pielāgota izvades vieta .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" -OutputPath "C:\Reports\SecureBoot"
. PIEMĒRS # Iekļaut tikai Action Req un High confidence (noklusējuma darbība) .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" # Excludes: Observation, Paused, Not Supported
. PIEMĒRS # Iekļaut visus ticamības līmeņus (ignorēt filtru) .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" -IncludeAllConfidenceLevels
. PIEMĒRS # Pielāgots ticamības līmeņa filtrs .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" -IncludeConfidenceLevels @("Darbības req", "Liels", "Novērojums")
. PIEMĒRS # ENTERPRISE SCALE: inkrementāls režīms — tikai process mainīti faili (ātri turpmākie soļa darbības) .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" -IncrementalMode # Pirmā palaišana: pilna slodze ~2 stundas 500K ierīcēm # Turpmākās darbojas: sekundes, ja nav nekādu izmaiņu, delta minūtes
. PIEMĒRS # Ja nekas nemainās (ātrākā pārraudzība) .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" -IncrementalMode -SkipReportIfUnchanged # Ja pēc pēdējās palaišanas neviens faili nav mainīts: ~5 sekundes
. PIEMĒRS # Tikai kopsavilkuma režīms — izlaidiet lielas ierīču tabulas (1–2 minūtes salīdzinājumā ar 20+ minūtēm) .\Aggregate-SecureBootData.ps1 -InputPath "\\contoso\SecureBootLogs$" -SummaryOnly # Ģenerē TV ierakstus, bet izlaiž HTML informācijas paneli ar pilnām ierīces tabulām
. PIEZĪMES Savienojiet pārī Detect-SecureBootCertUpdateStatus.ps1 izvietošanu uzņēmumiem.Skatiet GPO-DEPLOYMENT-GUIDE.md pilnu izvietošanas rokasgrāmatu. Noklusējuma darbība izslēdz novērojumu, pauzēta un neatbalsta ierīces lai ziņotu tikai par izpildāmiem ierīču kopumiem.#>
param( [Parameter(Mandatory = $true)] [string]$InputPath, [Parameter(Mandatory = $false)] [string]$OutputPath = ".\SecureBootReports", [Parameter(Mandatory = $false)] [string]$ScanHistoryPath = ".\SecureBootReports\ScanHistory.json", [Parameter(Mandatory = $false)] [string]$RolloutStatePath, # Path to RolloutState.json to identify InProgress devices [Parameter(Mandatory = $false)] [string]$RolloutSummaryPath, # Ceļš uz SecureBootRolloutSummary.json no berzatora (satur projicēšanas datus) [Parameter(Mandatory = $false)] [string[]]$IncludeConfidenceLevels = @("Nepieciešama darbība", "Augsta ticamības līmenis"), # Iekļaut tikai šos ticamības līmeņus (noklusējums: tikai izpildāmi intervāli) [Parameter(Mandatory = $false)] [switch]$IncludeAllConfidenceLevels, # Override filter, lai iekļautu visus ticamības līmeņus [Parameter(Mandatory = $false)] [switch]$SkipHistoryTracking, [Parameter(Mandatory = $false)] [switch]$IncrementalMode, # Enable delta processing - tikai ielādēt mainītos failus kopš pēdējās palaišanas [Parameter(Mandatory = $false)] [string]$CachePath, # Ceļš uz kešatmiņas direktoriju (noklusējums: OutputPath\.cache) [Parameter(Mandatory = $false)] [int]$ParallelThreads = 8, # Paralēlo pavedienu skaits failu ielādei (PS7+) [Parameter(Mandatory = $false)] [switch]$ForceFullRefresh, # Force full reload even in incremental mode [Parameter(Mandatory = $false)] [switch]$SkipReportIfUnchanged, # Skip HTML/CSV generation if no files changed (just output stats) [Parameter(Mandatory = $false)] [switch]$SummaryOnly, # Generate summary stats only (no lielām ierīču tabulām) - daudz ātrāk [Parameter(Mandatory = $false)] [switch]$StreamingMode # Atmiņas efekta režīms: process chunks, rakstīt CV inkrementāli, paturēt tikai kopsavilkumus atmiņā )
# Automātiski paaugstināt PowerShell 7, ja tas ir pieejams (6x ātrāk lieliem datu kopām) if ($PSVersionTable.PSVersion.Major -lt 7) { $pwshPath = Get-Command pwsh -ErrorAction SilentlyContinue | Select-Object -ExpandProperty Source if ($pwshPath) { Write-Host "Konstatēts PowerShell $($PSVersionTable.PSVersion) — atkārtota palaišana, izmantojot PowerShell 7, lai paātrinātu apstrādi..." - Priekšplāna krāsa Dzeltena # Rebuild argument list from bound parameters $relaunchArgs = @('-NoProfile', '-ExecutionPolicy', 'Bypass', '-File', $MyInvocation.MyCommand.Path) foreach ($key ar $PSBoundParameters.Keys) { $val = $PSBoundParameters[$key] if ($val -is [switch]) { if ($val. IsPresent) { $relaunchArgs += "-$key" } } elseif ($val -ir [masīvs]) { $relaunchArgs += "-$key" $relaunchArgs += ($val -join ',') } vēl { $relaunchArgs += "-$key" $relaunchArgs += "$val" } } & $pwshPath @relaunchArgs iziet no $LASTEXITCODE } }
$ErrorActionPreference = "Turpināt" $timestamp = Get-Date -Format "yyyyMdd-HHmmss" $scanTime = Get-Date -Format "yyyy-MM-dd HH:mm:ss" $DownloadUrl = "https://aka.ms/getsecureboot" $DownloadSubPage = "Deployment and monitoring Samples"
# Piezīme. Šim skriptam nav atkarības no citiem skriptiem. # Lai iegūtu pilnu rīku kopu, lejupielādējiet no: $DownloadUrl -> $DownloadSubPage
#region iestatīšana Write-Host "=" * 60 -ForegroundColor Cyan Write-Host "Secure Boot Data Aggregation" -ForegroundColor Cyan Write-Host "=" * 60 -ForegroundColor Cyan
# Create output directory if (-not (Testa-ceļš $OutputPath)) { New-Item -ItemType Directory -Path $OutputPath -Force | Out-Null }
# Datu ielāde — atbalsta CSV (mantotos) un JSON (iebūvētos) formātus Write-Host "'nLoading data from: $InputPath" -ForegroundColor Yellow
Funkcija # Helper, lai normalizētu ierīces objektu (lauka nosaukuma atšķirību turis) funkcija Normalize-DeviceRecord { param($device) # Handle Hostname vs HostName (JSON izmanto resursdatora nosaukumu, CSV izmanto HostName) if ($device. PSObject.Properties['Hostname'] -and -not $device. PSObject.Properties['HostName']) { $device | Add-Member -NotePropertyName 'HostName' -NotePropertyValue $device. Resursdatora nosaukums -piespiedu } # Handle Confidence vs ConfidenceLevel (JSON izmanto Confidence, CSV izmanto ConfidenceLevel) # ConfidenceLevel ir oficiālais lauka nosaukums - karte Confidence to it if ($device. PSObject.Properties['Confidence'] -and -not $device. PSObject.Properties['ConfidenceLevel']) { $device | Add-Member -NotePropertyName 'ConfidenceLevel' -NotePropertyValue $device. Confidence -Force } # Sekojiet atjaunināšanas statusam, izmantojot Event1808Count OR UEFICA2023Status="Atjaunināts" # Tas ļauj izsekot, cik ierīcēs katrā ticamības intervālā ir atjaunināts $event 1808 = 0 if ($device. PSObject.Properties['Event1808Count']) { $event 1808 = [int]$device. Event1808Count } $uefiCaUpdated = $false if ($device. PSObject.Properties['UEFICA2023Status'] - un $device. UEFICA2023Status -eq "Updated") { $uefiCaUpdated = $true } if ($event 1808 -gt 0 -or $uefiCaUpdated) { # Atzīmēt kā atjauninātu informācijas panelim/rollout loģikai, bet neignorē ConfidenceLevel $device | Add-Member -NotePropertyName 'IsUpdated' -NotePropertyValue $true -Force } vēl { $device | Add-Member -NotePropertyName 'IsUpdated' -NotePropertyValue $false -Force # ConfidenceLevel klasifikācija: # - "Augsta ticamības vērtība", "Novērojuma laikā...", "Īslaicīgi pauzēts...", "Nav atbalstīts..." = izmantot, kā ir # - Viss pārējais (null, tukšs, "UpdateType:...", "Nezināms", "N/A") = ietilpst sadaļā Nepieciešama darbība skaitītājā # Nav nepieciešama normalizēšana — straumēšanas skaitītāja pretējā atzara turi } # Handle OEMManufacturerName vs WMI_Manufacturer (JSON uses OEM*, legacy uses WMI_*) if ($device. PSObject.Properties['OEMManufacturerName'] -and -not $device. PSObject.Properties['WMI_Manufacturer']) { $device | Add-Member -NotePropertyName 'WMI_Manufacturer' -NotePropertyValue $device. OEMManufacturerName -Force } # Handle OEMModelNumber vs WMI_Model if ($device. PSObject.Properties['OEMModelNumber'] -and -not $device. PSObject.Properties['WMI_Model']) { $device | Add-Member -NotePropertyName 'WMI_Model' -NotePropertyValue $device. OEMModelNumber -Force } # Handle FirmwareVersion vs BIOSDescription if ($device. PSObject.Properties['FirmwareVersion'] -and -not $device. PSObject.Properties['BIOSDescription']) { $device | Add-Member -NotePropertyName 'BIOSDescription' -NotePropertyValue $device. AparātprogrammatūraVersija -Force } atgriezt $device }
#region apstrādes/kešatmiņas pārvaldības pārvaldība # Setup cache paths if (-not $CachePath) { $CachePath = Join-Path $OutputPath ".cache" } $manifestPath = Join-Path $CachePath "FileManifest.json" $deviceCachePath = Join-Path $CachePath "DeviceCache.json"
# Kešatmiņas pārvaldības funkcijas funkcija Get-FileManifest { param([virkne]$Path) if (testa ceļš $Path) { izmēģināt { $json = Get-Content $Path -Raw | ConvertFrom-Json # Convert PSObject uz jaukšanas tabulas (saderīgas ar PS5.1 — PS7 ir -AsHashtable) $ht = @{} $json. PSObject.Properties | ForEach-Object { $ht[$_. Name] = $_. Vērtība } atgriezt $ht } tvert { atgriezt @{} } } atgriezt @{} }
funkcija Save-FileManifest { param([jaukšanas_tabula]$Manifest, [virkne]$Path) $dir = Split-Path $Path -Parent if (-not (Testa-ceļš $dir)) { New-Item -ItemType Directory -Path $dir -Force | Out-Null } $Manifest | ConvertTo-Json -Depth 3 -Compress | Set-Content $Path -Force }
funkcija Get-DeviceCache { param([virkne]$Path) if (testa ceļš $Path) { izmēģināt { $cacheData = Get-Content $Path -Raw | ConvertFrom-Json Write-Host " Ielādētās ierīces kešatmiņa: $($cacheData.Count) ierīces" -ForegroundColor DarkGray atgriezt $cacheData } tvert { Write-Host "Cache corrupted, will rebuild" -ForegroundColor Yellow atgriezt @() } } atgriezt @() }
funkcija Save-DeviceCache { param($Devices, [virkne]$Path) $dir = Split-Path $Path -Parent if (-not (Testa-ceļš $dir)) { New-Item -ItemType Directory -Path $dir -Force | Out-Null } # Pārvērst par masīvu un saglabāt $deviceArray = @($Devices) $deviceArray | ConvertTo-Json -Depth 10 -Compress | Set-Content $Path -Force Write-Host " Saglabātās ierīces kešatmiņa: $($deviceArray.Count) ierīces" -PriekšplānsColor DarkGray }
funkcija Get-ChangedFiles { param( [System.IO.FileInfo[]$AllFiles, [jaukšana]$Manifest ) $changed = [System.Collections.ArrayList]::new() $unchanged = [System.Collections.ArrayList]::new() $newManifest = @{} # Build case-insensitive lookup from manifest (normalize to lowercase) $manifestLookup = @{} foreach ($mk ar $Manifest.Keys) { $manifestLookup[$mk. ToLowerInvariant()] = $Manifest[$mk] } foreach ($file: $AllFiles) { $key = $file. FullName.ToLowerInvariant() # Normalize ceļu uz mazajiem burtiem $lwt = $file. LastWriteTimeUtc.ToString("o") $newManifest[$key] = @{ LastWriteTimeUtc = $lwt Lielums = $file. Garums } if ($manifestLookup.ContainsKey($key)) { $cached = $manifestLookup[$key] if ($cached. LastWriteTimeUtc -eq $lwt -un $cached. Lielums -eq $file. Garums) { [anulēts]$unchanged. Add($file) turpināt } } [anulēts]$changed. Add($file) } atgriezt @{ Mainīts = $changed Bez izmaiņām = $unchanged NewManifest = $newManifest } }
# Ultra-fast paralēlu failu ielāde, izmantojot pakešveida apstrādi funkcija Load-FilesParallel { param( [System.IO.FileInfo[]$Files, [int]$Threads = 8 )
$totalFiles = $Files. Skaits # Izmantojiet paketes ar ~1000 failiem, lai uzlabotu atmiņas vadību $batchSize = [math]:Min(1000, [math]:Ceiling($totalFiles / [math]:Max(1, $Threads))) $batches = [System.Collections.Generic.List[object]]::new()
par ($i = 0; $i -lt $totalFiles; $i += $batchSize) { $end = [math]:Min($i + $batchSize, $totalFiles) $batch = $Files[$i.. ($end-1)] $batches. Add($batch) } Write-Host " ($($batches). Count) batches of ~$batchSize files each)" -NoNewline -ForegroundColor DarkGray $flatResults = [System.Collections.Generic.List[object]]::new() # Pārbaudiet, vai ir pieejams PowerShell 7+ paralēls $canParallel = $PSVersionTable.PSVersion.Major -ge 7 if ($canParallel -and $Threads -gt 1) { # PS7+: Procesu paketes paralēli $results = $batches | ForEach-Object -ThrottleLimit $Threads -Parallel { $batchFiles = $_ $batchResults = [System.Collections.Generic.List[object]]::new() foreach ($file: $batchFiles) { izmēģināt { $content = [System.IO.File]:ReadAllText($file. FullName) | ConvertFrom-Json $batchResults.Add($content) } tvert { } } $batchResults.ToArray() } foreach ($batch in $results) { if ($batch) { foreach ($item in $batch) { $flatResults.Add($item) } } } } vēl { # PS5.1 atkāpšanās: Secīga apstrāde (joprojām ātrs <10K failiem) foreach ($file $Files) { izmēģināt { $content = [System.IO.File]:ReadAllText($file. FullName) | ConvertFrom-Json $flatResults.Add($content) } tvert { } } } return $flatResults.ToArray() } #endregion
$allDevices = @() if (test-path $InputPath -PathType lapu) { # Viens JSON fails if ($InputPath -like "*.json") { $jsonContent = Get-Content -Path $InputPath -Raw | ConvertFrom-Json $allDevices = @($jsonContent) | ForEach-Object { Normalize-DeviceRecord $_ } Write-Host "Loaded $($allDevices.Count) records from file" (Ielādēti $($allDevices.Count) ierakstus no faila" } vēl { Write-Error "Tiek atbalstīts tikai JSON formāts. Failam ir jābūt ar .json paplašinājumu." iziet 1 } } elseif (testa ceļa $InputPath -PathType konteiners) { # Mape — tikai JSON $jsonFiles = @(Get-ChildItem -Path $InputPath -Filter "*.json" -Recurse -ErrorAction SilentlyContinue | Where-Object { $_. Name -notmatch "ScanHistory|RolloutState|RolloutPlan" }) # Prefer *_latest.json files if they exist (per-machine mode) $latestJson = $jsonFiles | Where-Object { $_. Name -like "*_latest.json" } if ($latestJson.Count -gt 0) { $jsonFiles = $latestJson } $totalFiles = $jsonFiles.Count if ($totalFiles -eq 0) { Write-Error "Nav atrasts neviens JSON faili: $InputPath" iziet 1 } Write-Host "Found $totalFiles JSON files" -ForegroundColor Gray Funkcija # Palīgs, lai atbilstu ticamības līmeņiem (apstrādā īsās un pilnās veidlapas) # Definēts agrāk, lai to varētu izmantot gan StreamingMode, gan parastie ceļi. funkcijas Test-ConfidenceLevel { param([virkne]$Value, [virkne]$Match) if ([string]::IsNullOrEmpty($Value)) { return $false } pārslēgt ($Match) { "HighConfidence" { return $Value -eq "High Confidence" } "UnderObservation" { return $Value -like "Under Observation*" } "ActionRequired" { return ($Value -like "*Action Required*" -or $Value -eq "Action Required") } "TemporarilyPaused" { return $Value -like "Temporarily Paused*" } "NotSupported" { return ($Value -like "Not Supported*" -or $Value -eq "Not Supported") } noklusējums { $false } } } #region STRAUMĒŠANAS REŽĪMS — lielu datu kopu atmiņas efektīva apstrāde # Vienmēr izmantot StreamingMode efektīvai atmiņas apstrādei un jauna stila informācijas panelim if (-not $StreamingMode) { Write-Host "Auto-enabling StreamingMode (new-style dashboard)" -ForegroundColor Yellow $StreamingMode = $true if (-not $IncrementalMode) { $IncrementalMode = $true } } # Ja ir iespējots -StreamingMode, apstrādājot failus porcēs, atmiņā paturot tikai skaitītājus.# Ierīces līmeņa dati tiek rakstīti JSON failos informācijas panelī ielādei pēc pieprasījuma.# Atmiņas lietojums: ~1,5 GB neatkarīgi no datu kopas lieluma (salīdzinājumā ar 10–20 GB bez straumēšanas).if ($StreamingMode) { Write-Host "STREAMING MODE enabled - memory-efficient processing" -ForegroundColor Green $streamSw = [System.Diagnostics.Stopwatch]::StartNew() # INCREMENTAL CHECK (PAPILDU PĀRBAUDE): ja pēc pēdējās palaišanas neviens faili nav mainīts, pilnībā izlaidiet apstrādi. if ($IncrementalMode -and -not $ForceFullRefresh) { $stManifestDir = Join-Path $OutputPath ".cache" $stManifestPath = Join-Path $stManifestDir "StreamingManifest.json" if (testa ceļš $stManifestPath) { Write-Host "Tiek pārbaudīts, vai nav izmaiņu kopš pēdējās straumēšanas palaišanas..." -ForegroundColor Cyan $stOldManifest = Get-FileManifest -Path $stManifestPath if ($stOldManifest.Count -gt 0) { $stChanged = $false # Ātrā pārbaude: vienāds failu skaits? if ($stOldManifest.Count -eq $totalFiles) { # Pārbaudiet 100 jaunākos failus (kārtoti pēc LastWriteTime dilstošā secībā) # Ja kāds fails ir mainīts, tam būs jaunākais laikspiedols, un tas tiek rādīts vispirms $sampleSize = [math]:Min(100, $totalFiles) $sampleFiles = $jsonFiles | Sort-Object LastWriteTimeUtc -dilstošā secībā | Select-Object -First $sampleSize foreach ($sf in $sampleFiles) { $sfKey = $sf. FullName.ToLowerInvariant() if (-not $stOldManifest.ContainsKey($sfKey)) { $stChanged = $true pārtraukums } # Compare timestamps - cached may be DateTime or string after JSON roundtrip $cachedLWT = $stOldManifest[$sfKey]. LastWriteTimeUtc $fileDT = $sf. LastWriteTimeUtc izmēģināt { # Ja kešatmiņā jau ir DateTime (ConvertFrom-Json automātiskā konvertēšana), izmantojiet tieši if ($cachedLWT -is [DateTime]) { $cachedDT = $cachedLWT.ToUniversalTime() } vēl { $cachedDT = [DateTimeOffset]::P arse("$cachedLWT"). UtcDateTime } if ([math]:Abs(($cachedDT - $fileDT). TotalSeconds) -gt 1) { $stChanged = $true pārtraukums } } tvert { $stChanged = $true pārtraukums } } } vēl { $stChanged = $true } if (-not $stChanged) { # Pārbaudiet, vai pastāv izvades faili $stSummaryExists = Get-ChildItem (Savienojuma ceļš $OutputPath "SecureBoot_Summary_*.csv") -EA SilentlyContinue | Select-Object -pirmais 1 $stDashExists = Get-ChildItem (Savienojuma ceļš $OutputPath "SecureBoot_Dashboard_*.html") -EA SilentlyContinue | Select-Object -pirmais 1 if ($stSummaryExists -and $stDashExists) { Write-Host " Nav konstatētas izmaiņas (bez $totalFiles failiem) — izlaižot apstrādi" -PriekšplānsKrāsnsKrāns Zaļa Write-Host " Pēdējais informācijas panelis: $($stDashExists.FullName)" -ForegroundColor White $cachedStats = Get-Content $stSummaryExists.FullName | ConvertFrom-csv Write-Host " Ierīces: $($cachedStats.TotalDevices) | Atjaunināts: $($cachedStats.Atjaunināts) | Kļūdas: $($cachedStats.WithErrors)" -PriekšplānsColor pelēka Write-Host " Completed in $([math]::Round($streamSw.Elapsed.TotalSeconds, 1))s (no processing needed)" -ForegroundColor Green atgriezt $cachedStats } } vēl { # DELTA IELĀPS: atrodiet, kurā precīzi tika mainīti faili Write-Host " Konstatētās izmaiņas, identificējot mainītos failus..." - Priekšplānacolor dzeltena $changedFiles = [System.Collections.ArrayList]::new() $newFiles = [System.Collections.ArrayList]::new() foreach ($jf in $jsonFiles) { $jfKey = $jf. FullName.ToLowerInvariant() if (-not $stOldManifest.ContainsKey($jfKey)) { [void]$newFiles.Add($jf) } vēl { $cachedLWT = $stOldManifest[$jfKey]. LastWriteTimeUtc $fileDT = $jf. LastWriteTimeUtc izmēģināt { $cachedDT = if ($cachedLWT -is [DateTime]) { $cachedLWT.ToUniversalTime() } else { [DateTimeOffset]::P arse("$cachedLWT"). UtcDateTime } if ([math]:Abs(($cachedDT - $fileDT). TotalSeconds) -gt 1) { [void]$changedFiles.Add($jf) } } tvert { [void]$changedFiles.Add($jf) } } } $totalChanged = $changedFiles.Count + $newFiles.Count $changePct = [math]:Round(($totalChanged / $totalFiles) * 100, 1) Write-Host " mainīts: $($changedFiles.Count) | Jaunums: $($newFiles.Count) | Kopā: $totalChanged ($changePct%)" -Priekšplāna krāsa dzeltena if ($totalChanged -gt 0 -and $changePct -lt 10) { # DELTA IELĀPA REŽĪMS: <10%, ielāpu esošie dati Write-Host " Delta ielāpa režīms ($changePct% < 10%) — ielāpēšanas $totalChanged faili..." -ForegroundColor Green $dataDir = Join-Path $OutputPath "dati" # Ielādēt mainīti/jauni ierīces ieraksti $deltaDevices = @{} $allDeltaFiles = @($changedFiles) + @($newFiles) foreach ($df in $allDeltaFiles) { izmēģināt { $devData = Get-Content $df. FullName -Raw | ConvertFrom-Json $dev = Normalize-DeviceRecord $devData if ($dev. HostName) { $deltaDevices[$dev. HostName] = $dev } } tvert { } } Write-Host "Loaded $($deltaDevices.Count) changed device records" -ForegroundColor Gray # Katrai kategorijai JSON: noņemiet vecos ierakstus, ja ir mainīti resursdatoru nosaukumi, pievienojiet jaunus ierakstus $categoryFiles = @("kļūdas", "known_issues", "missing_kek", "not_updated", "task_disabled", "temp_failures", "perm_failures", "updated_devices", "action_required", "secureboot_off", "rollout_inprogress") $changedHostnames = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::OrdinalIgnoreCase) foreach ($hn šajā $deltaDevices.Keys) { [void]$changedHostnames.Add($hn) } foreach ($cat: $categoryFiles) { $catPath = Join-Path $dataDir "$cat.json" if (testa ceļš $catPath) { izmēģināt { $catData = Get-Content $catPath -Raw | ConvertFrom-Json # Noņemt vecos ierakstus mainītajiem resursdatoru nosaukumiem $catData = @($catData | Where-Object { -not $changedHostnames.Contains($_. HostName) }) # Atkārtoti klasificēt katru mainīto ierīci kategorijās # (tiks pievienots tālāk pēc klasifikācijas) $catData | ConvertTo-Json -Depth 5 | Set-Content $catPath -Encoding UTF8 } tvert { } } } # Klasificēt katru mainīto ierīci un pievienot pareizajam kategoriju failam foreach ($dev šūnā $deltaDevices.Values) { $slim = [pasūtījuma]@{ HostName = $dev. Resursdatora nosaukums WMI_Manufacturer = if ($dev. PSObject.Properties['WMI_Manufacturer']) { $dev. WMI_Manufacturer } vēl { "" } WMI_Model = if ($dev. PSObject.Properties['WMI_Model']) { $dev. WMI_Model } vēl { "" } BucketId = if ($dev. PSObject.Properties['BucketId']) { $dev. BucketId } else { "" } ConfidenceLevel = if ($dev. PSObject.Properties['ConfidenceLevel']) { $dev. ConfidenceLevel } else { "" } IsUpdated = $dev. IsUpdated UEFICA2023Error = if ($dev. PSObject.Properties['UEFICA2023Error']) { $dev. UEFICA2023Error } else { $null } SecureBootTaskStatus = if ($dev. PSObject.Properties['SecureBootTaskStatus']) { $dev. SecureBootTaskStatus } else { "" } KnownIssueId = if ($dev. PSObject.Properties['KnownIssueId']) { $dev. KnownIssueId } else { $null } SkipReasonZināmaisUE = if ($dev. PSObject.Properties['SkipReasonKnownIssue']) { $dev. SkipReasonZināmais_nosaukums } else { $null } } $isUpd = $dev. IsUpdated -eq $true $conf = if ($dev. PSObject.Properties['ConfidenceLevel']) { $dev. ConfidenceLevel } else { "" } $hasErr = (-not [string]::IsNullOrEmpty($dev. UEFICA2023Error) -and $dev. UEFICA2023Error -ne "0" -and $dev. UEFICA2023Error -ne "") $tskDis = ($dev. SecureBootTaskEnabled -eq $false - vai $dev. SecureBootTaskStatus -eq 'Disabled' vai $dev. SecureBootTaskStatus -eq 'NotFound') $tskNF = ($dev. SecureBootTaskStatus -eq 'NotFound') $sbOn = ($dev. SecureBootEnabled -ne $false -un "$($dev. SecureBootEnabled)" -ne "False") $e 1801 = if ($dev. PSObject.Properties['Event1801Count']) { [int]$dev. Event1801Count } else { 0 } $e 1808 = if ($dev. PSObject.Properties['Event1808Count']) { [int]$dev. Event1808Count } else { 0 } $e 1803 = if ($dev. PSObject.Properties['Event1803Count']) { [int]$dev. Event1803Count } else { 0 } $mKEK = ($e 1803 -gt 0 -vai $dev. MissingKEK -eq $true) $hKI = ((-not [string]::IsNullOrEmpty($dev. SkipReasonZināmaisZināms)) vai (-not [virkne]::IsNullOrEmpty($dev. KnownIssueId)) $rStat = if ($dev. PSObject.Properties['RolloutStatus']) { $dev. RolloutStatus } else { "" } # Pievienošana atbilstošajiem kategoriju failiem $targets = @() if ($isUpd) { $targets += "updated_devices" } if ($hasErr) { $targets += "errors" } if ($hKI) { $targets += "known_issues" } if ($mKEK) { $targets += "missing_kek" } if (-not $isUpd -and $sbOn) { $targets += "not_updated" } if ($tskDis) { $targets += "task_disabled" } if (-not $isUpd -and ($tskDis -or (Test-ConfidenceLevel $conf 'TemporarilyPaused'))) { $targets += "temp_failures" } if (-not $isUpd -and ((Test-ConfidenceLevel $conf 'NotSupported') -or ($tskNF -and $hasErr))) { $targets += "perm_failures" } if (-not $isUpd -and (Test-ConfidenceLevel $conf 'ActionRequired')) { $targets += "action_required" } if (-not $sbOn) { $targets += "secureboot_off" } if ($e 1801 -gt 0 -and $e 1808 -eq 0 -and -not $hasErr -and $rStat -eq "InProgress") { $targets += "rollout_inprogress" } foreach ($tgt in $targets) { $tgtPath = Join-Path $dataDir "$tgt.json" if (testa ceļš $tgtPath) { $existing = Get-Content $tgtPath -Raw | ConvertFrom-Json $existing = @($existing) + @([PSCustomObject]$slim) $existing | ConvertTo-Json -Depth 5 | Set-Content $tgtPath -Encoding UTF8 } } } # Pārģenerēt TV tvītos no ielāpiem izveidotiem JSON Write-Host " Tv pārģenerēt TV no ielāpiem..." -ForegroundColor Gray $newTimestamp = Get-Date -Format "yyyyMdd-HHmms" foreach ($cat in $categoryFiles) { $catJsonPath = Join-Path $dataDir "$cat.json" $catCsvPath = Join-Path $OutputPath "SecureBoot_${cat}_$newTimestamp.csv" if (testa ceļa $catJsonPath) { izmēģināt { $catJsonData = Get-Content $catJsonPath -Raw | ConvertFrom-Json if ($catJsonData.Count -gt 0) { $catJsonData | Export-Csv -Path $catCsvPath -NoTypeInformation -Encoding UTF8 } } tvert { } } } #Recount stats from the patched JSON files Write-Host "Recalculating summary from patched data..." -ForegroundColor Gray $patchedStats = [pasūtījuma]@{ ReportGeneratedAt = (Get-Date). ToString("yyyy-MM-dd HH:mm:ss") } $pTotal = 0; $pUpdated = 0; $pErrors = 0; $pKI = 0; $pKEK = 0 $pTaskDis = 0; $pTempFail = 0; $pPermFail = 0; $pActionReq = 0; $pSBOff = 0; $pRIP = 0 foreach ($cat in $categoryFiles) { $catPath = Join-Path $dataDir "$cat.json" $cnt = 0 if (testa ceļš $catPath) { izmēģiniet { $cnt = (Iegūt saturu $catPath -Raw | ConvertFrom-Json). Count } pieķerties { } } pārslēgt ($cat) { "updated_devices" { $pUpdated = $cnt } "errors" { $pErrors = $cnt } "known_issues" { $pKI = $cnt } "missing_kek" { $pKEK = $cnt } "not_updated" { } # computed "task_disabled" { $pTaskDis = $cnt } "temp_failures" { $pTempFail = $cnt } "perm_failures" { $pPermFail = $cnt } "action_required" { $pActionReq = $cnt } "secureboot_off" { $pSBOff = $cnt } "rollout_inprogress" { $pRIP = $cnt } } } $pNotUpdated = (Get-Content (Join-Path $dataDir "not_updated.json") -Raw | ConvertFrom-Json). Skaits $pTotal = $pUpdated + $pNotUpdated + $pSBOff Write-Host " Delta ielāps: atjaunināti $totalChanged ierīcēs" -ForegroundColor Green Write-Host " Kopsumma: $pTotal | Atjaunināts: $pUpdated | NotUpdated: $pNotUpdated | Kļūdas: $pErrors" -Priekšplāna_krāsa Balta # Atjaunināšanas manifests $stManifestDir = Join-Path $OutputPath ".cache" $stNewManifest = @{} foreach ($jf in $jsonFiles) { $stNewManifest[$jf. FullName.ToLowerInvariant()] = @{ LastWriteTimeUtc = $jf. LastWriteTimeUtc.ToString("o"); Lielums = $jf. Garums } } Save-FileManifest -Manifest $stNewManifest -Path $stManifestPath Write-Host " Completed in $([math]::Round($streamSw.Elapsed.TotalSeconds, 1))s (delta ielāps - $totalChanged devices)" -ForegroundColor Green # Fall through to full streaming reprocess to regenerate HTML dashboard # Datu failiem jau ir ielāpi, tāpēc tas nodrošina, ka informācijas panelis paliek aktuāls Write-Host " Regenerating dashboard from patched data..." -ForegroundColor Yellow } vēl { Write-Host " $changePct% faili (>= 10%) — nepieciešama pilna straumēšanas apstrāde"-Priekšplāna_krāsa Dzeltena } } } } } # Create data subdirectory for on-demand device JSON files $dataDir = Join-Path $OutputPath "dati" if (-not (test-path $dataDir)) { New-Item -ItemType Directory -Path $dataDir -Force | Out-Null } # Deduplication via HashSet (O(1) per lookup, ~50 MB for 600K hostnames) $seenHostnames = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::OrdinalIgnoreCase) # Vieglpiekļuves kopsavilkuma skaitītāji (aizstāj $allDevices + $uniqueDevices atmiņā) $c = @{ Kopā = 0; SBEnabled = 0; SBOff = 0 Atjaunināts = 0; HighConf = 0; UnderObs = 0; ActionReq = 0; TempPaused = 0; Netiek atbalstīts = 0; NoConfData = 0 TaskDisabled = 0; TaskNotFound = 0; TaskDisabledNotUpdated = 0 WithErrors = 0; InProgress = 0; NotYetInitiated = 0; RolloutInProgress = 0 WithKnownIssues = 0; WithMissingKEK = 0; TempFailures = 0; PermFailures = 0; NeedsReboot = 0 UpdatePending = 0 } # Bucket tracking for AtRisk/SafeList (vieglas kopas) $stFailedBuckets = [System.Collections.Generic.HashSet[string]]::new() $stSuccessBuckets = [System.Collections.Generic.HashSet[string]]::new() $stAllBuckets = @{} $stMfrCounts = @{} $stErrorCodeCounts = @{}; $stErrorCodeSamples = @{} $stKnownIssueCounts = @{} # Batch-mode device data files: accumulate per-chunk, flush at chunk boundaries $stDeviceFiles = @("kļūdas", "known_issues", "missing_kek", "not_updated", "task_disabled", "temp_failures", "perm_failures", "updated_devices", "action_required", "secureboot_off", "rollout_inprogress", "under_observation", "needs_reboot", "update_pending") $stDeviceFilePaths = @{}; $stDeviceFileCounts = @{} foreach ($dfName in $stDeviceFiles) { $dfPath = Join-Path $dataDir "$dfName.json" [System.IO.File]::WriteAllText($dfPath, "['n", [System.Text.Encoding]:UTF8) $stDeviceFilePaths[$dfName] = $dfPath; $stDeviceFileCounts[$dfName] = 0 } # Slim ierīces ieraksts JSON izvadei (tikai svarīgie lauki, ~200 baiti salīdzinājumā ar ~2KB pilns) funkcija Get-SlimDevice { param($Dev) atgriezties [pasūtīts]@{ HostName = $Dev.HostName WMI_Manufacturer = if ($Dev.PSObject.Properties['WMI_Manufacturer']) { $Dev.wmi_Manufacturer } else { "" } WMI_Model = if ($Dev.PSObject.Properties['WMI_Model']) { $Dev.WMI_Model } else { "" } BucketId = if ($Dev.PSObject.Properties['BucketId']) { $Dev.BucketId } else { "" } ConfidenceLevel = if ($Dev.PSObject.Properties['ConfidenceLevel']) { $Dev.ConfidenceLevel } else { "" } IsUpdated = $Dev.IsUpdated UEFICA2023Error = if ($Dev.PSObject.Properties['UEFICA2023Error']) { $Dev.UEFICA2023Error } else { $null } SecureBootTaskStatus = if ($Dev.PSObject.Properties['SecureBootTaskStatus']) { $Dev.SecureBootTaskStatus } else { "" } KnownIssueId = if ($Dev.PSObject.Properties['KnownIssueId']) { $Dev.KnownIssueId } else { $null } SkipReasonKnownIssue = if ($Dev.PSObject.Properties['SkipReasonKnownIssue']) { $Dev.SkipReasonKnownIssue } else { $null } UEFICA2023Status = if ($Dev.PSObject.Properties['UEFICA2023Status']) { $Dev.UEFICA2023Status } else { $null } AvailableUpdatesPolicy = if ($Dev.PSObject.Properties['AvailableUpdatesPolicy']) { $Dev.AvailableUpdatesPolicy } else { $null } WinCSKeyApplied = if ($Dev.PSObject.Properties['WinCSKeyApplied']) { $Dev.winCSKeyApplied } else { $null } } } # Pludināt paketi JSON failā (pievienošanas režīms) funkcija Flush-DeviceBatch { param([virkne]$StreamName, [System.Collections.Generic.List[object]]$Batch) if ($Batch.Count -eq 0) { return } $fPath = $stDeviceFilePaths[$StreamName] $fSb = [System.Text.StringBuilder]::new() foreach ($fDev in $Batch) { if ($stDeviceFileCounts[$StreamName] -gt 0) { [void]$fSb.Append(",'n") } [void]$fSb.Append(($fDev | ConvertTo-Json -Compress)) $stDeviceFileCounts[$StreamName]++ } [System.IO.File]:AppendAllText($fPath, $fSb.ToString(), [System.Text.Encoding]:UTF8) } # GALVENĀ STRAUMĒŠANAS CILPA $stChunkSize = if ($totalFiles -le 10000) { $totalFiles } else { 10000 } $stTotalChunks = [math]:Ceiling($totalFiles / $stChunkSize) $stPeakMemMB = 0 if ($stTotalChunks -gt 1) { Write-Host "Apstrādā $totalFiles failus $stTotalChunks pa $stChunkSize (straumēšana, $ParallelThreads pavedieni):" -PriekšplānsColor Cyan } vēl { Write-Host "Processing $totalFiles files (streaming, $ParallelThreads threads):" -ForegroundColor Cyan } par ($ci = 0; $ci -lt $stTotalChunks; $ci++) { $cStart = $ci * $stChunkSize $cEnd = [math]:Min($cStart + $stChunkSize, $totalFiles) - 1 $cFiles = $jsonFiles[$cStart.. $cEnd] if ($stTotalChunks -gt 1) { Write-Host " Chunk $($ci + 1)/$stTotalChunks ($($cFiles.Count) faili): " -NoNewline -ForegroundColor Gray } vēl { Write-Host "Loading $($cFiles.Count) files" -NoNewline -ForegroundColor Gray } $cSw = [System.Diagnostics.Stopwatch]::StartNew() $rawDevices = Load-FilesParallel -Files $cFiles -Threads $ParallelThreads # Per-chunk batch lists $cBatches = @{} foreach ($df in $stDeviceFiles) { $cBatches[$df] = [System.Collections.Generic.List[object]]::new() } $cNew = 0; $cDupe = 0 foreach ($raw in $rawDevices) { if (-not $raw) { continue } $device = Normalize-DeviceRecord $raw $hostname = $device. Resursdatora nosaukums if (-not $hostname) { continue } if ($seenHostnames.Contains($hostname)) { $cDupe++; continue } [void]$seenHostnames.Add($hostname) $cNew++; $c.Total++ $sbOn = ($device. SecureBootEnabled -ne $false -un "$($device. SecureBootEnabled)" -ne "False") if ($sbOn) { $c.SBEnabled++ } else { $c.SBOff++; $cBatches["secureboot_off"]. Add((Get-SlimDevice $device)) } $isUpd = $device. IsUpdated -eq $true $conf = if ($device. PSObject.Properties['ConfidenceLevel'] - un $device. ConfidenceLevel) { "$($device. ConfidenceLevel)" } else { "" } $hasErr = (-not [string]::IsNullOrEmpty($device. UEFICA2023Error) -and "$($device. UEFICA2023Error)" -ne "0" -and "$($device. UEFICA2023Error)" -ne "") $tskDis = ($device. SecureBootTaskEnabled -eq $false -vai "$($device. SecureBootTaskStatus)" -eq 'Disabled' -vai "$($device. SecureBootTaskStatus)" -eq 'NotFound') $tskNF = ("$($device. SecureBootTaskStatus)" -eq 'NotFound') $bid = if ($device. PSObject.properties['BucketId'] -un $device. BucketId) { "$($device. BucketId)" } else { "" } $e 1808 = if ($device. PSObject.Properties['Event1808Count']) { [int]$device. Event1808Count } else { 0 } $e 1801 = if ($device. PSObject.Properties['Event1801Count']) { [int]$device. Event1801Count } else { 0 } $e 1803 = if ($device. PSObject.Properties['Event1803Count']) { [int]$device. Event1803Count } else { 0 } $mKEK = ($e 1803 -gt 0 -vai $device. MissingKEK -eq $true -vai "$($device. MissingKEK)" -eq "True") $hKI = ((-not [string]::IsNullOrEmpty($device. SkipReasonZināmaisZināms)) vai (-not [virkne]::IsNullOrEmpty($device. KnownIssueId)) $rStat = if ($device. PSObject.Properties['RolloutStatus']) { $device. RolloutStatus } else { "" } $mfr = if ($device. PSObject.Properties['WMI_Manufacturer'] -and -not [string]::IsNullOrEmpty($device. WMI_Manufacturer)) { $device. WMI_Manufacturer } vēl { "Nezināms" } $bid = if (-not [string]::IsNullOrEmpty($bid)) { $bid } else { "" } # Iepriekš aprēķināt atjauninājumu gaidošu karodziņu (lietots politikas/WinCS statuss vēl nav atjaunināts, SB ON, uzdevums nav atspējots) $uefiStatus = if ($device. PSObject.Properties['UEFICA2023Status']) { "$($device. UEFICA2023Status)" else { "" } $hasPolicy = ($device. PSObject.Properties['AvailableUpdatesPolicy'] un $null -ne $device. AvailableUpdatesPolicy -and "$($device. AvailableUpdatesPolicy)" -ne ') $hasWinCS = ($device. PSObject.Properties['WinCSKeyApplied'] - un $device. WinCSKeyApplied -eq $true) $statusPending = ([string]:IsNullOrEmpty($uefiStatus) -vai $uefiStatus -eq 'NotStarted' -vai $uefiStatus -eq 'InProgress') $isUpdatePending = (($hasPolicy -vai $hasWinCS) -un $statusPending -un -$isUpd -un $sbOn -un -$tskDis) if ($isUpd) { $c.Updated++; [void]$stSuccessBuckets.Add($bid); $cBatches["updated_devices"]. Add((Get-SlimDevice $device)) # Track Updated devices that need reboot (UEFICA2023Status=Updated but Event1808=0) if ($e 1808 -eq 0) { $c.NeedsReboot++; $cBatches["needs_reboot"]. Add((Get-SlimDevice $device)) } } elseif (nevis $sbOn) { # SecureBoot OFF — ārpus tvēruma neklasificējiet pēc ticamības } else { if ($isUpdatePending) { } # Counted separately in Update Pending — mutually exclusive for pie chart elseif (Test-ConfidenceLevel $conf "HighConfidence") { $c.HighConf++ } elseif (Testa-ConfidenceLevel $conf "UnderObservation") { $c.UnderObs++ } elseif (Testa-ConfidenceLīmekļa $conf "TemporarilyPaused") { $c.TempPaused++ } elseif (Test-ConfidenceLevel $conf "NotSupported") { $c.NotSupported++ } else { $c.ActionReq++ } if ([string]::IsNullOrEmpty($conf)) { $c.NoConfData++ } } if ($tskDis) { $c.TaskDisabled++; $cBatches["task_disabled"]. Add((Get-SlimDevice $device)) } if ($tskNF) { $c.TaskNotFound++ } if (-not $isUpd -and $tskDis) { $c.TaskDisabledNotUpdated++ } if ($hasErr) { $c.WithErrors++; [void]$stFailedBuckets.Add($bid); $cBatches["kļūdas"]. Add((Get-SlimDevice $device)) $ec = $device. UEFICA2023Error if (-not $stErrorCodeCounts.ContainsKey($ec)) { $stErrorCodeCounts[$ec] = 0; $stErrorCodeSamples[$ec] = @() } $stErrorCodeCounts[$ec]++ if ($stErrorCodeSamples[$ec]. Count -lt 5) { $stErrorCodeSamples[$ec] += $hostname } } if ($hKI) { $c.WithKnownIssues++; $cBatches["known_issues"]. Add((Get-SlimDevice $device)) $ki = if (-not [string]::IsNullOrEmpty($device. SkipReasonZinzināmais)) { $device. SkipReasonZināmaisZināmais } vēl { $device. KnownIssueId } if (-not $stKnownIssueCounts.ContainsKey($ki)) { $stKnownIssueCounts[$ki] = 0 }; $stKnownIssueCounts[$ki]++ } if ($mKEK) { $c.WithMissingKEK++; $cBatches["missing_kek"]. Add((Get-SlimDevice $device)) } if (-not $isUpd -and ($tskDis -or (Test-ConfidenceLevel $conf 'TemporarilyPaused'))) { $c.TempFailures++; $cBatches["temp_failures"]. Add((Get-SlimDevice $device)) } if (-not $isUpd -and ((Test-ConfidenceLevel $conf 'NotSupported') -or ($tskNF -and $hasErr))) { $c.PermFailures++; $cBatches["perm_failures"]. Add((Get-SlimDevice $device)) } if ($e 1801 -gt 0 -and $e 1808 -eq 0 -and -not $hasErr -and $rStat -eq "InProgress") { $c.RolloutInProgress++; $cBatches["rollout_inprogress"]. Add((Get-SlimDevice $device)) } if ($e 1801 -gt 0 -and $e 1808 -eq 0 -and -not $hasErr -and $rStat -ne "InProgress") { $c.NotYetInitiated++ } if ($rStat -eq "InProgress" -and $e 1808 -eq 0) { $c.InProgress++ } # Update Pending: Policy or WinCS applied, status pending, SB ON, task not disabled if ($isUpdatePending) { $c.UpdatePending++; $cBatches["update_pending"]. Add((Get-SlimDevice $device)) } if (-not $isUpd -and $sbOn) { $cBatches["not_updated"]. Add((Get-SlimDevice $device)) } # Novērojuma ierīcēs (atdalītas no Nepieciešama darbība) if (-not $isUpd -and (Test-ConfidenceLevel $conf 'UnderObservation')) { $cBatches["under_observation"]. Add((Get-SlimDevice $device)) } # Darbība Obligāts: nav atjaunināts, SB ON, neatbilst citām ticamības kategorijām, nevis Gaida atjaunināšanu if (-not $isUpd -and $sbOn -and -not $isUpdatePending -and -not (Test-ConfidenceLevel $conf 'HighConfidence') -and -not (Test-ConfidenceLevel $conf 'UnderObservation') -and -not (Test-ConfidenceLevel $conf 'TemporarilyPaused') -and -not (Test-ConfidenceLevel $conf 'NotSupported')) { $cBatches["action_required"]. Add((Get-SlimDevice $device)) } if (-not $stMfrCounts.ContainsKey($mfr)) { $stMfrCounts[$mfr] = @{ Total=0; Atjaunināts=0; UpdatePending=0; HighConf=0; UnderObs=0; ActionReq=0; TempPaused=0; NotSupported=0; SBOff=0; WithErrors=0 } } $stMfrCounts[$mfr]. Kopā++ if ($isUpd) { $stMfrCounts[$mfr]. Atjaunināts++ } elseif (-not $sbOn) { $stMfrCounts[$mfr]. SBOff++ } elseif ($isUpdatePending) { $stMfrCounts[$mfr]. UpdatePending++ } elseif (Test-ConfidenceLevel $conf "HighConfidence") { $stMfrCounts[$mfr]. HighConf++ } elseif (Test-ConfidenceLevel $conf "UnderObservation") { $stMfrCounts[$mfr]. UnderObs++ } elseif (Testa-ConfidenceLīmekļa $conf "TemporarilyPaused") { $stMfrCounts[$mfr]. TempPaused++ } elseif (Test-ConfidenceLevel $conf "NotSupported") { $stMfrCounts[$mfr]. NotSupported++ } else { $stMfrCounts[$mfr]. ActionReq++ } if ($hasErr) { $stMfrCounts[$mfr]. WithErrors++ } # Visu ierīču izsekošana pēc intervāla (tostarp tukša BucketId) $bucketKey = if ($bid -and $bid -ne "") { $bid } else { "(empty)" } if (-not $stAllBuckets.ContainsKey($bucketKey)) { $stAllBuckets[$bucketKey] = @{ Count=0; Atjaunināts=0; Manufacturer=$mfr; Model=""; BIOS="" } if ($device. PSObject.Properties['WMI_Model']) { $stAllBuckets[$bucketKey]. Modelis = $device. WMI_Model } if ($device. PSObject.Properties['BIOSDescription']) { $stAllBuckets[$bucketKey]. BIOS = $device. BIOSDescription } } $stAllBuckets[$bucketKey]. Count++ if ($isUpd) { $stAllBuckets[$bucketKey]. Atjaunināts++ } } # Pludošana paketēs diskā foreach ($df in $stDeviceFiles) { Flush-DeviceBatch -StreamName $df -Batch $cBatches[$df] } $rawDevices = $null; $cBatches = $null; [System.GC]:Collect() $cSw.Stop() $cTime = [Math]:Round($cSw.Elapsed.TotalSeconds, 1) $cRem = $stTotalChunks - $ci - 1 $cEta = if ($cRem -gt 0) { " | ETA: ~$([Matemātika]::Round($cRem * $cSw.Elapsed.TotalSeconds / 60, 1)) min" } else { "" } $cMem = [math]:Round([System.GC]::GetTotalMemory($false) / 1MB, 0) if ($cMem -gt $stPeakMemMB) { $stPeakMemMB = $cMem } Write-Host " +$cNew, $cDupe dupes, ${cTime}s | Mem: ${cMem}MB$cEta" -ForegroundColor Green } # Pabeigt JSON masīvus foreach ($dfName: $stDeviceFiles) { [System.IO.File]:AppendAllText($stDeviceFilePaths[$dfName], "'n]", [System.Text.Encoding]:UTF8) Write-Host " $dfName.json: $($stDeviceFileCounts[$dfName]) devices" -ForegroundColor DarkGray } # Compute derived stats $stAtRisk = 0; $stSafeList = 0 foreach ($bid in $stAllBuckets.Keys) { $b = $stAllBuckets[$bid]; $nu = $b.Count - $b.Updated if ($stFailedBuckets.Contains($bid)) { $stAtRisk += $nu } elseif ($stSuccessBuckets.Contains($bid)) { $stSafeList += $nu } } $stAtRisk = [math]:Max(0, $stAtRisk - $c.WithErrors) # NotUptodate = skaits no not_updated paketes (ierīces ar SB IESLĒGTS un netiek atjauninātas) $stNotUptodate = $stDeviceFileCounts["not_updated"] $stats = [pasūtījuma]@{ ReportGeneratedAt = (Get-Date). ToString("yyyy-MM-dd HH:mm:ss") TotalDevices = $c.Total; SecureBootEnabled = $c.SBEnabled; SecureBootOFF = $c.SBOff Atjaunināts = $c.Updated; HighConfidence = $c.HighConf; UnderObservation = $c.UnderObs ActionRequired = $c.ActionReq; TemporarilyPaused = $c.TempPaused; NotSupported = $c.NotSupported NoConfidenceData = $c.NoConfData; TaskDisabled = $c.TaskDisabled; TaskNotFound = $c.TaskNotFound TaskDisabledNotUpdated = $c.TaskDisabledNotUpdated CertificatesUpdated = $c.Updated; NotUptodate = $stNotUptodate; FullyUpdated = $c.Updated UpdatesPending = $stNotUptodate; UpdatesComplete = $c.Updated WithErrors = $c.WithErrors; InProgress = $c.InProgress; NotYetInitiated = $c.NotYetInitiated RolloutInProgress = $c.RolloutInProgress; WithKnownIssues = $c.WithKnownIssues WithMissingKEK = $c.WithMissingKEK; TemporaryFailures = $c.TempFailures; PermanentFailures = $c.PermFailures NeedsReboot = $c.NeedsReboot; UpdatePending = $c.UpdatePending AtRiskDevices = $stAtRisk; SafeListDevices = $stSafeList PercentWithErrors = if ($c.Total -gt 0) { [math]:Round(($c.WithErrors/$c.Total)*100,2) } else { 0 } PercentAtRisk = if ($c.Total -gt 0) { [math]:Round(($stAtRisk/$c.Total)*100,2) } else { 0 } PercentSafeList = if ($c.Total -gt 0) { [math]:Round(($stSafeList/$c.Total)*100,2) } else { 0 } PercentHighConfidence = if ($c.Total -gt 0) { [math]:Round(($c.HighConf/$c.Total)*100,1) } else { 0 } PercentCertUpdated = if ($c.Total -gt 0) { [math]:Round(($c.Updated/$c.Total)*100,1) } else { 0 } PercentActionRequired = if ($c.Total -gt 0) { [math]:Round(($c.ActionReq/$c.Total)*100,1) } else { 0 } PercentNotUptodate = if ($c.Total -gt 0) { [math]:Round($stNotUptodate/$c.Total*100,1) } else { 0 } PercentFullyUpdated = if ($c.Total -gt 0) { [math]:Round(($c.Updated/$c.Total)*100,1) } else { 0 } UniqueBuckets = $stAllBuckets.Count; PeakMemoryMB = $stPeakMemMB; ProcessingMode = "Streaming" } # Rakstīt TV [PSCustomObject]$stats | Export-Csv -Ceļš (savienojuma ceļš $OutputPath "SecureBoot_Summary_$timestamp.csv") -NoTypeInformation -Encoding UTF8 $stMfrCounts.GetEnumerator() | Sort-Object { $_. Value.Total } -Descending | ForEach-Object { [PSCustomObject]@{ Manufacturer=$_. Atslēga; Count=$_. Value.Total; Updated=$_. Value.Updated; HighConfidence=$_. Value.HighConf; ActionRequired=$_. Value.ActionReq } } | Export-Csv -Ceļš (savienojuma ceļš $OutputPath "SecureBoot_ByManufacturer_$timestamp.csv") -NoTypeInformation -Encoding UTF8 $stErrorCodeCounts.GetEnumerator() | Sort-Object Vērtība -dilstošā secībā | ForEach-Object { [PSCustomObject]@{ ErrorCode=$_. Atslēga; Count=$_. Vērtība; SampleDevices=($stErrorCodeSamples[$_. Taustiņš] -pievienoties ", ") } } | Export-Csv -ceļš (savienojuma ceļš $OutputPath "SecureBoot_ErrorCodes_$timestamp.csv") -NoTypeInformation -Encoding UTF8 $stAllBuckets.GetEnumerator() | Sort-Object { $_. Value.Count } -dilstošā secībā | ForEach-Object { [PSCustomObject]@{ BucketId=$_. Atslēga; Count=$_. Value.Count; Updated=$_. Value.Updated; NotUpdated=$_. Value.Count-$_. Value.Updated; Ražotājs=$_. Value.Manufacturer } } | Export-Csv -Ceļš (savienojuma ceļš $OutputPath "SecureBoot_UniqueBuckets_$timestamp.csv") -NoTypeInformation -Encoding UTF8 # Izveidojiet ar austratoru saderīgus CSV (gaidāmie failu Start-SecureBootRolloutOrchestrator.ps1) $notUpdatedJsonPath = Join-Path $dataDir "not_updated.json" if (testa ceļš $notUpdatedJsonPath) { izmēģināt { $nuData = Get-Content $notUpdatedJsonPath -Raw | ConvertFrom-Json if ($nuData.Count -gt 0) { # NotUptodate CSV — austrators meklē *NotUptodate*.csv $nuData | Export-Csv -Ceļš (savienojuma ceļš $OutputPath "SecureBoot_NotUptodate_$timestamp.csv") -NoTypeInformation -Encoding UTF8 Write-Host " Eskadora CSV: SecureBoot_NotUptodate_$timestamp.csv ($($nuData.Count) ierīces)" -PriekšplānsColor Pelēka } } tvert { } } # Rakstīt JSON datus informācijas panelim $stats | ConvertTo-Json -Depth 3 | Set-Content (savienojuma-ceļš $dataDir "summary.json") -Kodējums UTF8 # HISTORICAL TRACKING ( VĒSTURISKĀ IZSEKOŠANA): tendenču diagrammas datu punkta saglabāšana # Izmantojiet stabilu kešatmiņas atrašanās vietu, lai tendenču dati saglabājas laikspiedolu apkopojuma mapēs. # Ja OutputPath izskatās kā "...\Aggregation_yyyyMMdd_HHmmss", kešatmiņa atrodas vecākmapes mapē.# Pretējā gadījumā kešatmiņa nonāk pašā failā OutputPath.$parentDir = Split-Path $OutputPath -Parent $leafName = Split-Path $OutputPath lapu lapa if ($leafName -match '^Aggregation_\d{8}' -or $leafName -eq 'Aggregation_Current') { # Mantots, veidots laikspiedolu mape — vecāka izmantošana, lai iegūtu stabilu kešatmiņu $historyPath = Join-Path $parentDir ".cache\trend_history.json" } vēl { $historyPath = Join-Path $OutputPath ".cache\trend_history.json" } $historyDir = Split-Path $historyPath -Parent if (-not (test-path $historyDir)) { New-Item -ItemType Directory -Path $historyDir -Force | Out-Null } $historyData = @() if (testa ceļš $historyPath) { izmēģiniet { $historyData = @(Get-Content $historyPath -Raw | ConvertFrom-Json) } tvert { $historyData = @() } } # Skatiet arī outputPath\.cache\ (mantota atrašanās vieta no vecākām versijām) # Visu to datu punktu sapludināšana, kas vēl nav primārajā vēsturē if ($leafName -eq 'Aggregation_Current' -or $leafName -match '^Aggregation_\d{8}') { $innerHistoryPath = Join-Path $OutputPath ".cache\trend_history.json" if ((testa-ceļš $innerHistoryPath) -un $innerHistoryPath -ne $historyPath) { izmēģināt { $innerData = @(Get-Content $innerHistoryPath -Raw | ConvertFrom-Json) $existingDates = @($historyData | ForEach-Object { $_. Date }) foreach ($entry: $innerData) { if ($entry. Datums -un $entry. Datums -notin $existingDates) { $historyData += $entry } } if ($innerData.Count -gt 0) { Write-Host "Merged $($innerData.Count) data points from inner cache" -ForegroundColor DarkGray } } tvert { } } }
# BOOTSTRAP: ja tendenču vēsture ir tukša/retināta, rekonstruējiet no vēsturiskajiem datiem if ($historyData.Count -lt 2 -and ($leafName -match '^Aggregation_\d{8}' -vai $leafName -eq 'Aggregation_Current')) { Write-Host " Sāknēšanas tendenču vēsture no vēsturiskajiem datiem..." -Priekšplānacolor dzeltena $dailyData = @{} # 1. avots: kopsavilkuma CV pašreizējā mapē (Aggregation_Current saglabā visus kopsavilkuma CV) $localSummaries = Get-ChildItem $OutputPath -Filter "SecureBoot_Summary_*.csv" -EA SilentlyContinue | Sort-Object vārds foreach ($summCsv in $localSummaries) { izmēģināt { $summ = Import-Csv $summCsv.FullName | Select-Object -pirmais 1 if ($summ. TotalDevices -and [int]$summ. TotalDevices -gt 0 -un $summ. ReportGeneratedAt) { $dateStr = ([datuma_laiks]$summ. ReportGeneratedAt). ToString("yyyy-MM-dd") $updated = if ($summ. Atjaunināts) { [int]$summ. Atjaunināts } vēl { 0 } $notUpd = if ($summ. NotUptodate) { [int]$summ. NotUptodate } else { [int]$summ. TotalDevices - $updated } $dailyData[$dateStr] = [PSCustomObject]@{ Date = $dateStr; Kopsumma = [int]$summ. TotalDevices; Atjaunināts = $updated; NotUpdated = $notUpd NeedsReboot = 0; Kļūdas = 0; ActionRequired = if ($summ. ActionRequired) { [int]$summ. ActionRequired } else { 0 } } } } tvert { } } 2. avots: vecās laikspiedolu Aggregation_* mapes (mantotas, ja tās joprojām pastāv) $aggFolders = Get-ChildItem $parentDir -Directory -Filter "Aggregation_*" -EA SilentlyContinue | Where-Object { $_. Nosaukums -atbilst '^Aggregation_\d{8}' } | Sort-Object vārds foreach ($folder in $aggFolders) { $summCsv = Get-ChildItem $folder. FullName -Filter "SecureBoot_Summary_*.csv" -EA SilentlyContinue | Select-Object -pirmais 1 if ($summCsv) { izmēģināt { $summ = Import-Csv $summCsv.FullName | Select-Object -pirmais 1 if ($summ. TotalDevices -and [int]$summ. TotalDevices -gt 0) { $dateStr = $folder. Name -replace '^Aggregation_(\d{4})(\d{2})(\d{2})_.*', '$1-$2-$3' $updated = if ($summ. Atjaunināts) { [int]$summ. Atjaunināts } vēl { 0 } $notUpd = if ($summ. NotUptodate) { [int]$summ. NotUptodate } else { [int]$summ. TotalDevices - $updated } $dailyData[$dateStr] = [PSCustomObject]@{ Date = $dateStr; Kopsumma = [int]$summ. TotalDevices; Atjaunināts = $updated; NotUpdated = $notUpd NeedsReboot = 0; Kļūdas = 0; ActionRequired = if ($summ. ActionRequired) { [int]$summ. ActionRequired } else { 0 } } } } tvert { } } } # 3. avots: RolloutState.json viļņu (tai ir viļņotais laikspiedols no 1. dienas) # Tādējādi tiek nodrošināti bāzlīnijas datu punkti pat tad, ja nav vecas apkopošanas mapes $rolloutStatePaths = @( (Join-Path $parentDir "RolloutState\RolloutState.json") (Join-Path $OutputPath "RolloutState\RolloutState.json") ) foreach ($rsPath in $rolloutStatePaths) { if (testa ceļš $rsPath) { izmēģināt { $rsData = Get-Content $rsPath -Raw | ConvertFrom-Json if ($rsData.WaveHistory) { # Izmantojiet viļņu sākuma datumus kā tendenču datu punktus # Aprēķināt kumulatīvo ierīci, kas atlasīta katrā viļņā $cumulativeTargeted = 0 foreach ($wave ar $rsData.WaveHistory) { if ($wave. StartedAt - un $wave. DeviceCount) { $waveDate = ([datuma_laiks]$wave. StartedAt). ToString("yyyy-MM-dd") $cumulativeTargeted += [int]$wave. DeviceCount if (-not $dailyData.ContainsKey($waveDate)) { # Aptuvenais: viļņu sākuma laiks, tika atjauninātas tikai iepriekšējo viļņu ierīces $dailyData[$waveDate] = [PSCustomObject]@{ Date = $waveDate; Kopsumma = $c.Total; Updated = [math]:Max(0, $cumulativeTargeted - [int]$wave. DeviceCount) NotUpdated = $c.Total - [math]::Max(0, $cumulativeTargeted - [int]$wave. DeviceCount) NeedsReboot = 0; Kļūdas = 0; ActionRequired = 0 } } } } } } tvert { } pārtraukums # Izmantot pirmo atrasto } }
if ($dailyData.Count -gt 0) { $historyData = @($dailyData.GetEnumerator() | Sort-Object taustiņš | ForEach-Object { $_. Value }) Write-Host "Bootstrapped $($historyData.Count) datu punkti no vēstures kopsavilkumiem" -PriekšplānsColor zaļa } }
# Pievienot pašreizējo datu punktu (deduplicate by day - keep latest per day) $todayKey = (Get-Date). ToString("yyyy-MM-dd") $existingToday = $historyData | Where-Object { "$($_. Date)" -like "$todayKey*" } if ($existingToday) { # Aizstāt šodienas ierakstu $historyData = @($historyData | Where-Object { "$($_. Date)" -notlike "$todayKey*" }) } $historyData += [PSCustomObject]@{ Date = $todayKey Kopā = $c.Total Atjaunināts = $c.Atjaunināts NotUpdated = $stNotUptodate NeedsReboot = $c.NeedsReboot Kļūdas = $c.WithErrors ActionRequired = $c.ActionReq } # Noņemt nederīgus datu punktus (kopā 0) un paturēt pēdējo 90 $historyData = @($historyData | Where-Object { [int]$_. Kopā -gt 0 }) # Bez sākumburts — tendenču dati ir ~100 baiti/ievadne, pilns gads = ~36 KB $historyData | ConvertTo-Json -Depth 3 | Set-Content $historyPath -Encoding UTF8 Write-Host " Tendenču vēsture: $($historyData.Count) datu punkti" -PriekšplānsKrāsukrāsa DarkGray # Tendenču diagrammas datu izveide HTML kodā $trendLabels = ($historyData | ForEach-Object { "'$($_. Date)'" }) -join "," $trendUpdated = ($historyData | ForEach-Object { $_. Atjaunināts }) -pievienoties "," $trendNotUpdated = ($historyData | ForEach-Object { $_. NotUpdated }) -join "," $trendTotal = ($historyData | ForEach-Object { $_. Total }) -join "," # Projicēšana: tendenču līnijas paplašināšana, izmantojot eksponenciālu dubultošanu (2,4,8,16...) # Izmantojot faktiskos tendenču vēstures datus, tiek gūts viļņu lielums un novērojuma periods.# — viļņu lielums = lielākais atsevišķa perioda pieaugums vēsturē (visjaunākais izvietotais viļņs) # — novērojuma dienas = vidējais kalendāra dienu skaits starp tendenču datu punktiem (cik bieži notiek) # Pēc tam dubulto viļņu lielumu katrā periodā, saskaņojot bektora 2x augšanas stratēģiju.$projLabels = ""; $projUpdated = ""; $projNotUpdated = ""; $hasProjection = $false if ($historyData.Count -ge 2) { $lastUpdated = $c.Updated $remaining = $stNotUptodate # Tikai SB-ON neatjauninatās ierīces (izņemot SecureBoot OFF) $projDates = @(); $projValues = @(); $projNotUpdValues = @() $projDate = Get-Date
# Viļņotais lielums un novērojuma periods no tendenču vēstures $increments = @() $dayGaps = @() par ($hi = 1; $hi -lt $historyData.Count; $hi++) { $inc = $historyData[$hi]. Atjaunināts — $historyData[$hi-1]. Atjaunināts if ($inc -gt 0) { $increments += $inc } izmēģināt { $d 1 = [datetime]::P arse($historyData[$hi-1]. Datums) $d 2 = [datetime]::P arse($historyData[$hi]. Datums) $gap = ($d 2 - $d 1). TotalDays if ($gap -gt 0) { $dayGaps += $gap } } tvert {} } # Viļņa lielums = jaunākais pozitīvais pieaugums (pašreizējais viļņs), fallback to average, minimums 2 $waveSize = ja ($increments. Count -gt 0) { [math]::Max(2, $increments[-1]) } vēl { 2 } # Novērojuma periods = vidējā atstarpe starp datu punktiem (kalendāra dienas vienā viļņā), minimums 1 $waveDays = if ($dayGaps.Count -gt 0) { [math]::Max(1, [math]:Round(($dayGaps | Measure-Object -Average). Vidējais, 0)) } vēl { 1 }
Write-Host " Projicēšana: waveSize=$waveSize (no pēdējā pieauguma), waveDays=$waveDays (avg atstarpe no vēstures)" -PriekšplānsColor DarkGray
$dayCounter = 0 # Project līdz brīdim, kad visas ierīces ir atjauninātas vai ir ne vairāk kā 365 dienas par ($pi = 1; $pi -le 365; $pi++) { $projDate = $projDate.AddDays(1) $dayCounter++ # Katrā novērojuma perioda robežu, izvietojiet viļņu, pēc tam dubultu if ($dayCounter -ge $waveDays) { $devicesThisWave = [math]:Min($waveSize, $remaining) $lastUpdated += $devicesThisWave $remaining -= $devicesThisWave if ($lastUpdated -gt ($c.Updated + $stNotUptodate)) { $lastUpdated = $c.Updated + $stNotUptodate; $remaining = 0 } # Dubults viļņu lielums nākamajam periodam (katora 2x stratēģija) $waveSize = $waveSize * 2 $dayCounter = 0 } $projDates += "'$($projDate.ToString("yyyy-MM-dd"))'" $projValues += $lastUpdated $projNotUpdValues += [math]:Max(0, $remaining) if ($remaining -le 0) { break } } $projLabels = $projDates -join "," $projUpdated = $projValues -join "," $projNotUpdated = $projNotUpdValues -join "," $hasProjection = $projDates.Count -gt 0 } elseif ($historyData.Count -eq 1) { Write-Host " Projicēšana: nepieciešami vismaz 2 tendenču datu punkti, lai, atototu viļņu hronometrāžu" -PriekšplānsKrāsukrāsa DarkGray } # Izveidojiet kombinētās diagrammas datu virknes šeit ievadītai virknei $allChartLabels = if ($hasProjection) { "$trendLabels,$projLabels" } else { $trendLabels } $projDataJS = if ($hasProjection) { $projUpdated } else { "" } $projNotUpdJS = if ($hasProjection) { $projNotUpdated } else { "" } $histCount = ($historyData | Measure-Object). Skaits $stMfrCounts.GetEnumerator() | Sort-Object { $_. Value.Total } -Descending | ForEach-Object { @{ name=$_. Atslēga; total=$_. Value.Total; updated=$_. Value.Updated; highConf=$_. Value.HighConf; actionReq=$_. Value.ActionReq } } | ConvertTo-Json -Depth 3 | Set-Content (savienojuma ceļš $dataDir "manufacturers.json") -kodējums UTF8 # Convert JSON data files to CSV for human-readable Excel downloads Write-Host "Notiek ierīces datu konvertēšana CSV failā Excel lejupielāde..." -PriekšplānsColor pelēks foreach ($dfName in $stDeviceFiles) { $jsonFile = Join-Path $dataDir "$dfName.json" $csvFile = Join-Path $OutputPath "SecureBoot_${dfName}_$timestamp.csv" if (testa ceļa $jsonFile) { izmēģināt { $jsonData = Get-Content $jsonFile -Raw | ConvertFrom-Json if ($jsonData.Count -gt 0) { # Iekļaujiet papildu kolonnas csv update_pending csv $selectProps = if ($dfName -eq "update_pending") { @('HostName', 'WMI_Manufacturer', 'WMI_Model', 'BucketId', 'ConfidenceLevel', 'IsUpdated', 'UEFICA2023Status', 'UEFICA2023Error', 'AvailableUpdatesPolicy', 'WinCSKeyApplied', 'SecureBootTaskStatus') } vēl { @('HostName', 'WMI_Manufacturer', 'WMI_Model', 'BucketId', 'ConfidenceLevel', 'IsUpdated', 'UEFICA2023Error', 'SecureBootTaskStatus', 'KnownIssueId', 'SkipReasonKnownIssue') } $jsonData | Select-Object $selectProps | Export-Csv -Path $csvFile -NoTypeInformation -Encoding UTF8 Write-Host " $dfName -> $($jsonData.Count) rindas -> CSV" -PriekšplānsKrāssKrāsa Tumšā gray } } catch { Write-Host " $dfName - skipped" -ForegroundColor DarkYellow } } } # Ģenerēt pašpiemācības HTML informācijas paneli $htmlPath = Join-Path $OutputPath "SecureBoot_Dashboard_$timestamp.html" Write-Host "Generating self-contained HTML dashboard..." -ForegroundColor Yellow # VELOCITY PROJECTION: Aprēķins no skenēšanas vēstures vai iepriekšējā kopsavilkuma $stDeadline = [datetime]"2026-06-24" # KEK cert expiry $stDaysToDeadline = [math]:Max(0, ($stDeadline - (Get-Date)). Dienas) $stDevicesPerDay = 0 $stProjectedDate = $null $stVelocitySource = "N/A" $stWorkingDays = 0 $stCalendarDays = 0 # Vispirms izmēģiniet tendenču vēsturi (vieglu, ko jau uztur aggregator, aizstāj uzpūšanās ScanHistory.json) if ($historyData.Count -ge 2) { $validHistory = @($historyData | Where-Object { [int]$_. Kopā -gt 0 -un [int]$_. Atjaunināts -ge 0 }) if ($validHistory.Count -ge 2) { $prev = $validHistory[-2]; $curr = $validHistory[-1] $prevDate = [datetime]::P arse($prev. Date.Substring(0, [Math]::Min(10, $prev. Date.Length))) $currDate = [datetime]::P arse($curr. Date.Substring(0, [Math]:Min(10, $curr. Date.Length))) $daysDiff = ($currDate - $prevDate). TotalDays if ($daysDiff -gt 0) { $updDiff = [int]$curr. Atjaunināts — [int]$prev. Atjaunināts if ($updDiff -gt 0) { $stDevicesPerDay = [math]:Round($updDiff / $daysDiff, 0) $stVelocitySource = "TrendHistory" } } } } # Try plānotāju izvēršamā kopsavilkuma dati (ir iepriekš aprēķināts ātrums) if ($stVelocitySource -eq "N/A" -and $RolloutSummaryPath -and (Testa ceļa $RolloutSummaryPath)) { izmēģināt { $rolloutSummary = Get-Content $RolloutSummaryPath -Raw | ConvertFrom-Json if ($rolloutSummary.DevicesPerDay -and [double]$rolloutSummary.DevicesPerDay -gt 0) { $stDevicesPerDay = [math]:Round([double]$rolloutSummary.DevicesPerDay, 1) $stVelocitySource = "Austrators" if ($rolloutSummary.ProjectedCompletionDate) { $stProjectedDate = $rolloutSummary.ProjectedCompletionDate } if ($rolloutSummary.WorkingDaysRemaining) { $stWorkingDays = [int]$rolloutSummary.WorkingDaysRemaining } if ($rolloutSummary.CalendarDaysRemaining) { $stCalendarDays = [int]$rolloutSummary.CalendarDaysRemaining } } } tvert { } } # Fallback: izmēģiniet iepriekšējo kopsavilkuma CSV (meklēt pašreizējā mapē AND vecākobjektu/sibling apkopojuma mapes) if ($stVelocitySource -eq "N/A") { $searchPaths = @( (Savienojuma-ceļš $OutputPath "SecureBoot_Summary_*.csv") ) # Arī meklēt vienaudzošas apkopojuma mapes (ororators katru reizi izveido jaunu mapi) $parentPath = Split-Path $OutputPath -Parent if ($parentPath) { $searchPaths += (Savienojuma-ceļš $parentPath "Aggregation_*\SecureBoot_Summary_*.csv") $searchPaths += (Savienojuma ceļš $parentPath "SecureBoot_Summary_*.csv") } $prevSummary = $searchPaths | ForEach-Object { Get-ChildItem $_ -EA SilentlyContinue } | Sort-Object LastWriteTime -dilstošā secībā | Select-Object -pirmais 1 if ($prevSummary) { izmēģināt { $prevStats = Get-Content $prevSummary.FullName | ConvertFrom-csv $prevDate = [datetime]$prevStats.ReportGeneratedAt $daysSinceLast = ((Get-Date) - $prevDate). TotalDays if ($daysSinceLast -gt 0,01) { $prevUpdated = [int]$prevStats.Updated $updDelta = $c.Atjaunināts — $prevUpdated if ($updDelta -gt 0) { $stDevicesPerDay = [math]:Round($updDelta / $daysSinceLast, 0) $stVelocitySource = "PreviousReport" } } } tvert { } } } # Atkāpšanās: aprēķiniet ātrumu no pilna tendenču vēstures laiduma (pirmais salīdzinājumā ar jaunāko datu punktu) if ($stVelocitySource -eq "N/A" -and $historyData.Count -ge 2) { $validHistory = @($historyData | Where-Object { [int]$_. Kopā -gt 0 -un [int]$_. Atjaunināts -ge 0 }) if ($validHistory.Count -ge 2) { $first = $validHistory[0] $last = $validHistory[-1] $firstDate = [datetime]::P arse($first. Date.Substring(0, [Math]::Min(10, $first. Date.Length))) $lastDate = [datetime]::P arse($last. Date.Substring(0, [Math]::Min(10, $last. Date.Length))) $daysDiff = ($lastDate - $firstDate). TotalDays if ($daysDiff -gt 0) { $updDiff = [int]$last. Atjaunināts — [int]$first. Atjaunināts if ($updDiff -gt 0) { $stDevicesPerDay = [math]:Round($updDiff / $daysDiff, 1) $stVelocitySource = "TrendHistory" } } } } # Projekcijas aprēķināšana, izmantojot eksponenciālu dubultošanu (saskaņā ar tendenču diagrammu) # Projekcijas datu, kas jau tiek aprēķināti diagrammai, ja tā ir pieejama, atkārtota izmantošana if ($hasProjection -and $projDates.Count -gt 0) { # Izmantot pēdējo prognozēto datumu (kad visas ierīces ir atjauninātas) $lastProjDateStr = $projDates[-1] -replace "'", "" $stProjectedDate = ([datuma_laiks]::P arse($lastProjDateStr)). ToString("MMM dd, yyyy") $stCalendarDays = ([datetime]::P arse($lastProjDateStr) - (Get-Date)). Dienas $stWorkingDays = 0 $d = Get-Date par ($i = 0; $i -lt $stCalendarDays; $i++) { $d = $d.AddDays(1) if ($d.DayOfWeek -ne 'Saturday' -and $d.DayOfWeek -ne 'Sunday') { $stWorkingDays++ } } } elseif ($stDevicesPerDay -gt 0 -un $stNotUptodate -gt 0) { # Atkāpšanās: lineāra projekcijas, ja nav pieejami eksponenciāli dati $daysNeeded = [math]:Ceiling($stNotUptodate / $stDevicesPerDay) $stProjectedDate = (Get-Date). AddDays($daysNeeded). ToString("MMM dd, yyyy") $stWorkingDays = 0; $stCalendarDays = $daysNeeded $d = Get-Date par ($i = 0; $i -lt $daysNeeded; $i++) { $d = $d.AddDays(1) if ($d.DayOfWeek -ne 'Saturday' -and $d.DayOfWeek -ne 'Sunday') { $stWorkingDays++ } } } # Build velocity HTML $velocityHtml = if ($stDevicesPerDay -gt 0) { "<div><strong>🚀 Devices/Day:</strong> $($stDevicesPerDay.ToString('N0')) (avots: $stVelocitySource)</div>" + "<div><strong>📅 Plānota pabeigšana:</strong> $stProjectedDate" + $(if ($stProjectedDate -and [datetime]::P arse($stProjectedDate) -gt $stDeadline) { " <span style='color:#dc3545; font-weight:bold'>⚠ PAST DEADLINE</span>" } else { " <span style='color:#28a745'>✓ Before deadline</span>" }) + "</div>" + "<div><strong>🕐 Darba dienas:</strong> $stWorkingDays | <strong>Calendar Days:</strong> $stCalendarDays</div>" + "<div style='font-size:.8em; color:#888'>Termiņš: 2026. gada 24. jūnijs (KEK sertifikāta derīguma termiņš) | Atlikušais dienu skaits: $stDaysToDeadline</div>" } vēl { "<div style='padding:8px; background:#fff3cd; border-radius:4px; border-left:3px solid #ffc107'>" + "<strong>📅 Plānota pabeigšana:</strong> nepietiek datu ātruma aprēķināšanai. " + "Veiciet apkopošanu vismaz divreiz ar datu izmaiņām, lai noteiktu likmi.<br/>" + "<strong>Deadline:</strong> 2026. gada 24. jūnijs (KEK sertifikāta derīguma termiņš) | <strong>Days remaining:</strong> $stDaysToDeadline</div>" } # Cert derīguma termiņa atpakaļskaitīšanas termiņš $certToday = Get-Date $certKekExpiry = [datetime]"2026-06-24" $certUefiExpiry = [datetime]"2026-06-27" $certPcaExpiry = [datetime]"2026-10-19" $daysToKek = [math]:Max(0, ($certKekExpiry - $certToday). Dienas) $daysToUefi = [math]:Max(0, ($certUefiExpiry - $certToday). Dienas) $daysToPca = [math]:Max(0, ($certPcaExpiry - $certToday). Dienas) $certUrgency = if ($daysToKek -lt 30) { '#dc3545' } elseif ($daysToKek -lt 90) { '#fd7e14' } else { '#28a745' } # Helper: Read records from JSON, build bucket summary + first N device rows $maxInlineRows = 200 funkcijas Build-InlineTable { param([string]$JsonPath, [int]$MaxRows = 200, [string]$CsvFileName = "") $bucketSummary = "" $deviceRows = "" $totalCount = 0 if (testa ceļš $JsonPath) { izmēģināt { $data = Get-Content $JsonPath -Raw | ConvertFrom-Json $totalCount = $data. Skaits # BUCKET SUMMARY: Group by BucketId, show counts per bucket with Updated from global bucket stats if ($totalCount -gt 0) { $buckets = $data | Group-Object BucketId | Sort-Object count -descending $bucketSummary = "><2 h3 style='font-size:.95em; color:#333; margin:10px 0 5px'><3 By Hardware Bucket ($($buckets. Count) buckets)><4 /h3>" $bucketSummary += "><6 div style='max-height:300px; pārpilde-y:auto; margin-bottom:15px'><table><thead><tr><th><5 BucketID><6 /th><th style='text-align:right'>Total</th><th style='text-align:right; color:#28a745'>Updated</th><th style='text-align:right; color:#dc3545'>Not Updated</th><th><1 Manufacturer><2 /th></tr></thead><tpa>" foreach ($b: $buckets) { $bid = if ($b.Name) { $b.Name } else { "(empty)" } $mfr = ($b.Grupa | Select-Object -Pirmais 1). WMI_Manufacturer # Saņemt atjauninātu skaitu, izmantojot globālā intervāla statistiku (visas šī intervāla ierīces visā datu kopā) $lookupKey = $bid $globalBucket = if ($stAllBuckets.ContainsKey($lookupKey)) { $stAllBuckets[$lookupKey] } else { $null } $bUpdatedGlobal = if ($globalBucket) { $globalBucket.Updated } else { 0 } $bTotalGlobal = if ($globalBucket) { $globalBucket.Count } else { $b.Count } $bNotUpdatedGlobal = $bTotalGlobal - $bUpdatedGlobal $bucketSummary += "<tr><td style='font-size:.8em'>$bid><4 /td><td style='text-align:right; font-weight:bold'>$bTotalGlobal><8 /td><td style='text-align:right; color:#28a745; font-weight:bold'>$bUpdatedGlobal><2 /td><td style='text-align:right; color:#dc3545; font-weight:bold'>$bNotUpdatedGlobal><6 /td><td><9 $mfr</td></tr>'n" } $bucketSummary += "</trife></table></div>" } # IERĪCES DETAĻAS: pirmās N rindas kā plakans saraksts $slice = $data | Select-Object -First $MaxRows foreach ($d in $slice) { $conf = $d.ConfidenceLevel $confBadge = if ($conf -match "High") { '<span class="badge badge-success">High Conf><2 /span>' } elseif ($conf -match "Not Sup") { '<span class="badge badge-danger">Not Supported><6 /span>' } elseif ($conf -match "Under") { '<span class="badge badge-info">Under Obs><0 /span>' } elseif ($conf -match "Paused") { '<span class="badge badge-warning">Paused><4 /span>' } else { '<span class="badge badge-warning">Action Req><8 /span>' } $statusBadge = if ($d.IsUpdated) { '><00 span class="badge badge-success"><01 Updated</span>' } elseif ($d.UEFICA2023Error) { '><04 span class="badge badge-danger"><05 Error</span>' } else { '><08 span class="badge badge-warning"><09 Pending><0 /span>' } $deviceRows += "><12 tr><td><5 $($d.HostName)><16 /td><td><9 $($d.WMI_Manufacturer)><20 /td><td><3 $($d.WMI_Model)><24 /td><td><7 $confBadge><8 /td><td><1 $statusBadge><2 td><td><5 $(if($d.UEFICA2023Error){$d.UEFICA2023Error}else{'-'})><36 /td><td style='font-size:.75em'><39 $($d.BucketId)><40 /td></tr><3 'n" } } tvert { } } if ($totalCount -eq 0) { return "><44 div style='padding:20px; color:#888; font-style:italic'><45 No devices in this category.><46 /div>" } $showing = [math]:Min($MaxRows, $totalCount) $header = "><48 div style='margin:5px 0; font-size:.85em; color:#666'><49 Total: $($totalCount.ToString("N0")) devices" if ($CsvFileName) { $header += " | ><50 href='$CsvFileName' style='color:#1a237e; font-weight:bold'>📄 Lejupielādēt pilnu CSV failu programmai Excel><3 /a>" } $header += "><55 /div>" $deviceHeader = "><57 h3 style='font-size:.95em; color:#333; margin:10px 0 5px'><58 Device Details (showing first $showing)><59 /h3>" $deviceTable = "><61 div style='max-height:500px; overflow-y:auto'><table><thead><tr><th><0 HostName><1 /th><th><4 Manufacturer><5 /th><th><8 Model><9 /th><th><2 Confidence><3 /th><><6><6><7 /th><><0 Error><1 /th><th><4 BucketId><5 /th></tr></thead><tpapildu><2 $deviceRows><3 /tpatēlons></table></div>" return "$header$bucketSummary$deviceHeader$deviceTable" } # Izveidot iekļautos tabulas no JSON failiem, kas jau atrodas diskā, saistot ar TV failiem $tblErrors = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "errors.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_errors_$timestamp.csv" $tblKI = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "known_issues.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_known_issues_$timestamp.csv" $tblKEK = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "missing_kek.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_missing_kek_$timestamp.csv" $tblNotUpd = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "not_updated.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_not_updated_$timestamp.csv" $tblTaskDis = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "task_disabled.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_task_disabled_$timestamp.csv" $tblTemp = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "temp_failures.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_temp_failures_$timestamp.csv" $tblPerm = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "perm_failures.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_perm_failures_$timestamp.csv" $tblUpdated = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "updated_devices.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_updated_devices_$timestamp.csv" $tblActionReq = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "action_required.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_action_required_$timestamp.csv" $tblUnderObs = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "under_observation.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_under_observation_$timestamp.csv" $tblNeedsReboot = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "needs_reboot.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_needs_reboot_$timestamp.csv" $tblSBOff = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "secureboot_off.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_secureboot_off_$timestamp.csv" $tblRolloutIP = Build-InlineTable -JsonPath (savienojuma ceļš $dataDir "rollout_inprogress.json") -MaxRows $maxInlineRows -CsvFileName "SecureBoot_rollout_inprogress_$timestamp.csv" # Custom table for Update Pending — includes UEFICA2023Status and UEFICA2023Error columns $tblUpdatePending = "" $upJsonPath = Join-Path $dataDir "update_pending.json" if (testa ceļš $upJsonPath) { izmēģināt { $upData = Get-Content $upJsonPath -Raw | ConvertFrom-Json $upCount = $upData.Count if ($upCount -gt 0) { $upHeader = "<div style='margin:5px 0; font-size:.85em; color:#666'>Total: $($upCount.ToString("N0")) devices | <a href='SecureBoot_update_pending_$timestamp.csv' style='color:#1a237e; font-weight:bold'>📄 Lejupielādējiet pilnu CSV failu programmai Excel><4 /a></div>" $upRows = "" $upSlice = $upData | Select-Object -First $maxInlineRows foreach ($d in $upSlice) { $uefiSt = if ($d.UEFICA2023Status) { $d.UEFICA2023Status } else { '<span style="color:#999">null><0 /span>' } $uefiErr = if ($d.UEFICA2023Error) { "<span style='color:#dc3545'>$($d.UEFICA2023Error)</span>" } else { '-' } $policyVal = if ($d.AvailableUpdatesPolicy) { $d.AvailableUpdatesPolicy } else { '-' } $wincsVal = if ($d.WinCSKeyApplied) { '<span class="badge badge-success">Yes><8 /span>' } else { '-' } $upRows += "<tr><td><3 $($d.HostName)</td><td><7 $($d.WMI_Manufacturer)</td><td><1 $($d.WMI_Model)</td><d><5 $uefiSt><6 /td><td><9 $uefiErr><50 /td><td><53 $policyVal><54 /td><td><57 $wincsVal><58 /td><td style='font-size:.75em'>$($d.BucketId)</td></tr><65 'n" } $upShowing = [math]:Min($maxInlineRows, $upCount) $upDevHeader = "<h3 style='font-size:.95em; color:#333; margin:10px 0 5px'>Device Details (showing first $upShowing)</h3>" $upTable = "<div style='max-height:500px; pārpildes-y:automātiskā ><><><><><9 hostName><0 /th><><3 Manufacturer><4 /. 0><><7 UEFICA2023Status><8 /th><th><1 UEFICA2023Status><2 /th><th><5 UEFICA2023Error><6 /th><th><9 Policy</th><th>WinCS Key</th><>BucketId</th></tr></thead><t><body><5 $upRows><6 /tpapildu /table></div>" $tblUpdatePending = "$upHeader$upDevHeader$upTable" } vēl { $tblUpdatePending = "<div style='padding:20px; color:#888; font-style:italic'>No devices in this category.</div>" } } tvert { $tblUpdatePending = "<div style='padding:20px; color:#888; font-style:italic'>No devices in this category.</div>" } } vēl { $tblUpdatePending = "<div style='padding:20px; color:#888; font-style:italic'>No devices in this category.</div>" } # Cert derīguma termiņa atpakaļskaitīšanas termiņš $certToday = Get-Date $certKekExpiry = [datetime]"2026-06-24" $certUefiExpiry = [datetime]"2026-06-27" $certPcaExpiry = [datetime]"2026-10-19" $daysToKek = [math]:Max(0, ($certKekExpiry - $certToday). Dienas) $daysToUefi = [math]:Max(0, ($certUefiExpiry - $certToday). Dienas) $daysToPca = [math]:Max(0, ($certPcaExpiry - $certToday). Dienas) $certUrgency = if ($daysToKek -lt 30) { '#dc3545' } elseif ($daysToKek -lt 90) { '#fd7e14' } else { '#28a745' } # Izveidot iekļautos ražotāja diagrammas datus (10 populārākās vērtības pēc ierīču skaita) $mfrSorted = $stMfrCounts.GetEnumerator() | Sort-Object { $_. Value.Total } -Descending | Select-Object -First 10 $mfrChartTitle = if ($stMfrCounts.Count -le 10) { "By Manufacturer" } else { "Top 10 Manufacturers" } $mfrLabels = ($mfrSorted | ForEach-Object { "'$($_. Key)'" }) -join "," $mfrUpdated = ($mfrSorted | ForEach-Object { $_. Value.Updated }) -join "," $mfrUpdatePending = ($mfrSorted | ForEach-Object { $_. Value.UpdatePending }) -join "," $mfrHighConf = ($mfrSorted | ForEach-Object { $_. Value.HighConf }) -join "," $mfrUnderObs = ($mfrSorted | ForEach-Object { $_. Value.UnderObs }) -join "," $mfrActionReq = ($mfrSorted | ForEach-Object { $_. Value.ActionReq }) -join "," $mfrTempPaused = ($mfrSorted | ForEach-Object { $_. Value.TempPaused }) -join "," $mfrNotSupported = ($mfrSorted | ForEach-Object { $_. Value.NotSupported }) -join "," $mfrSBOff = ($mfrSorted | ForEach-Object { $_. Value.SBOff }) -join "," $mfrWithErrors = ($mfrSorted | ForEach-Object { $_. Value.WithErrors }) -join "," # Build manufacturer table $mfrTableRows = "" $stMfrCounts.GetEnumerator() | Sort-Object { $_. Value.Total } -Descending | ForEach-Object { $mfrTableRows += "<tr><td><7 $($_. Atslēga)</td><td>$($_. Value.Total.ToString("N0"))</td><td>$($_. Value.Updated.ToString("N0"))</td><td>$($_. Value.HighConf.ToString("N0"))><0 /td><td>$($_. Value.ActionReq.ToString("N0"))><4 /td></tr>'n" } $htmlContent = @" <! DOCTYPE html> <html lang="lv"> <galvas><3 <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <informācijas paneļa><9 sāknēšanas sertifikāta statusa informācijas paneļa><0 /title><1 <skripts src="https://cdn.jsdelivr.net/npm/chart.js"></script><5 <stila><7 *{box-sizing:border-box; piemale:0; padding:0} body{font-family:'Segoe UI',Tahoma,sans-serif; background:#f0f2f5; color:#333} .header{background:linear-gradient(135deg,#1a237e,#0d47a1); color:#fff; padding:20px 30px} .header h1{font-size:1.6em; margin-bottom:5px} .header .meta{font-size:.85em; necaurspīdīgums:,9} .container{max-width:1400px; piemale:0 automātiski; padding:20px} .cards{display:grid; grid-template-columns:repeat(auto-fill,minmax(170px,1fr)); gap:12px; piemale:20px 0} .card{background:#fff; border-radius:10px; padding:15px; box-shadow:0 2px 8px rgba(0,0,0,.08); border-left:4px solid #ccc;transition:transform .2s} .card:hover{transform:translateY(-2px); box-shadow:0 4px 15px rgba(0,0,0,.12)} .card .value{font-size:1.8em; font-weight:700} .card .label{font-size:.8em; color:#666; margin-top:4px} .card .pct{font-size:.75em; color:#888} .section{background:#fff; border-radius:10px; padding:20px; piemale:15px 0; box-shadow:0 2px 8px rgba(0,0,0,.08)} .section h2{font-size:1.2em; color:#1a237e; piemales-apakšmala:10px; cursor:pointer; user-select:none} .section h2:hover{text-decoration:underline} .section-body{display:none} .section-body.open{display:block} .charts{display:grid; grid-template-columns:1fr 1fr; gap:20px; piemale:20px 0} .chart-box{background:#fff; border-radius:10px; padding:20px; box-shadow:0 2px 8px rgba(0,0,0,.08)} table{width:100%; border-collapse:collapse; font-size:.85em} th{background:#e8eaf6; padding:8px 10px; teksta līdzināšana:pa kreisi; position:sticky; top:0; z-indekss:1} td{padding:6px 10px; border-bottom:1px solid #eee} tr:hover{background:#f5f5f5} .badge{display:inline-block; padding:2px 8px;apmales rādiuss:10px; font-size:.75em; font-weight:700} .badge-success{background:#d4edda; color:#155724} .badge-danger{background:#f8d7da; color:#721c24} .badge-warning{background:#fff3cd; color:#856404} .badge-info{background:#d1ecf1; color:#0c5460} .top-link{float:right; font-size:.8em; color:#1a237e; text-decoration:none} .footer{text-align:center; padding:20px; color:#999; font-size:.8em} a{color:#1a237e} </style><9 </head> <pamatteksta> <div class="header"> </h1>drošas sāknēšanas sertifikāta statusa informācijas paneli</h1> <div class="meta">Ģenerēts: $($stats. ReportGeneratedAt) | Ierīces kopā: $($c.Total.ToString("N0")) | Unique Buckets: $($stAllBuckets.Count)</div><3 </div><5 <div class="container">
<!-- KPI kartītes — noklikšķināšana, saistīta ar sadaļām — > <div class="cards"> <class="card" href="#s-nu" onclick="openSection('d-nu')" style="border-left-color:#dc3545; text-decoration:none; position:relative"><div style="position:absolute; top:8px; right:8px; background:#dc3545; color:#fff; padding:1px 6px; border-radius:8px; font-size:.65em; font-weight:700">PRIMARY</div><div class="value" style="color:#dc3545">$($stNotUptodate.ToString("N0"))</div><div class="label">NOT UPDATED><6 /div><div class="pct">$($stats. PercentNotUptodate)% — NEPIECIEŠAMA RĪCĪBA><0 /div></a><3 <class="card" href="#s-upd" onclick="openSection('d-upd')" style="border-left-color:#28a745; text-decoration:none; position:relative"><div style="position:absolute; top:8px; right:8px; background:#28a745; color:#fff; padding:1px 6px; border-radius:8px; font-size:.65em; font-weight:700">PRIMARY><8 /div><div class="value" style="color:#28a745">$($c.Updated.ToString("N0"))</div><div class="label">Updated><6 /div><div class="pct">$($stats. PercentCertUpdated)%</div></a><3 <class="card" href="#s-sboff" onclick="openSection('d-sboff')" style="border-left-color:#6c757d; text-decoration:none; position:relative"><div style="position:absolute; top:8px; right:8px; background:#6c757d; color:#fff; padding:1px 6px; border-radius:8px; font-size:.65em; font-weight:700">PRIMARY><8 /div><div class="value"><1 $($c.SBOff.ToString("N0")))><2 /div><div class="label"><5 SecureBoot OFF</div><div class="pct"><9 $(if($c.Total -gt 0){[math]:Round(($c.SBOff/$c.Total)*100,1)}else{0})% - Ārpus tvēruma><0 /div></a><3 <class="card" href="#s-nrb" onclick="openSection('d-nrb')" style="border-left-color:#ffc107; text-decoration:none"><div class="value" style="color:#ffc107">$($c.NeedsReboot.ToString("N0"))</div><div class="label">Needs Reboot><2 /div><div class="pct">$(if($c.Total -gt 0){[math]:Round(($c.NeedsReboot/$c.Total)*100,1)}else{0})% — gaida atkārtotu><6 /div></a><9 <class="card" href="#s-upd-pend" onclick="openSection('d-upd-pend')" style="border-left-color:#6f42c1; text-decoration:none"><div class="value" style="color:#6f42c1">$($c.UpdatePending.ToString("N0"))</div><div class="label">Update Pending</div><<div class="pct">$(if($c.Total -gt 0){[math]:Round(($c.UpdatePending/$c.Total)*100,1)}else{0})% - Policy/WinCS applied, gaida atjauninājumu><2 /div></a><5 <class="card" href="#s-rip" onclick="openSection('d-rip')" style="border-left-color:#17a2b8; text-decoration:none"><div class="value">$($c.RolloutInProgress)</div><div class="label">Rollout In Progress><4 /div><div class="pct">>$(if($c.Total -gt 0){[math]:Round(($c.RolloutInProgress/$c.Total)*100,1)}else{0})%</div></a><11 <class="card" href="#s-nu" onclick="openSection('d-nu')" style="border-left-color:#28a745; text-decoration:none"><div class="value" style="color:#28a745">$($c.HighConf.ToString("N0"))</div><div class="label">High Confidence><20 /div><div class="pct">$($stats. PercentHighConfidence)% - drošs><24 /div></a><27 <class="card" href="#s-uo" onclick="openSection('d-uo')" style="border-left-color:#17a2b8; text-decoration:none"><div class="value" style="color:#ffc107"><1 $($c.UnderObs.ToString("N0"))><2 /div><div class="label"><5 Under Observation><36 /div><div class="pct"><9 $(if($c.Total -gt 0){[math]:Round(($c.UnderObs/$c.Total)*100,1)}else{0})%</div></a><3 <class="card" href="#s-ar" onclick="openSection('d-ar')" style="border-left-color:#fd7e14; text-decoration:none"><div class="value" style="color:#fd7e14">$($c.ActionReq.ToString("N0"))</div><div class="label">Action Required><2 /div><div class="pct">$($stats. PercentActionRequired)% —><6 /div></a><9 <class="card" href="#s-err" onclick="openSection('d-err')" style="border-left-color:#dc3545; text-decoration:none"><div class="value" style="color:#dc3545">$($stAtRisk.ToString("N0"))</div><div class="label">At Risk><68 /div><div class="pct">$($stats. PercentAtRisk)% — līdzīga kļūme><2 /div></a><5 <class="card" href="#s-td" onclick="openSection('d-td')" style="border-left-color:#dc3545; text-decoration:none"><div class="value" style="color:#dc3545">$($c.TaskDisabled.ToString("N0"))</div><div class="label">Task Disabled><4 /div><div class="pct">$(if($c.Total -gt 0){[math]:Round(($c.TaskDisabled/$c.Total)*100,1)}else{0})% - bloķēts><8 /div></a><91 <class="card" href="#s-tf" onclick="openSection('d-tf')" style="border-left-color:#fd7e14; text-decoration:none"><div class="value" style="color:#fd7e14">$($c.TempPaused.ToString("N0"))</div><div class="label">Temp. Paused</div><div class="pct">$(if($c.Total -gt 0){[math]:Round(($c.TempPaused/$c.Total)*100,1)}else{0})%</div></a> <class="card" href="#s-ki" onclick="openSection('d-ki')" style="border-left-color:#dc3545; text-decoration:none"><div class="value" style="color:#dc3545">$($c.WithKnownIssues.ToString("N0"))</div><div class="label">Known Issues><6 /div><div class="pct">$(if($c.Total -gt 0){[math]:Round(($c.WithKnownIssues/$c.Total)*100,1)}else{0})%</div></a><3 <class="card" href="#s-kek" onclick="openSection('d-kek')" style="border-left-color:#fd7e14; text-decoration:none"><div class="value" style="color:#fd7e14">$($c.WithMissingKEK.ToString("N0")))</div><div class="label">Missing KEK</div><div class="pct">$(if($c.Total -gt 0){[math]:Round(($c.WithMissingKEK/$c.Total)*100,1)}else{0})%</div></a> <class="card" href="#s-err" onclick="openSection('d-err')" style="border-left-color:#dc3545; text-decoration:none"><div class="value" style="color:#dc3545">$($c.WithErrors.ToString("N0"))</div><div class="label">With Errors</div><div class="pct"><1 $($stats. PercentWithErrors)% - UEFI kļūdas</div></a> ><6 class="card" href="#s-tf" onclick="openSection('d-tf')" style="border-left-color:#dc3545; text-decoration:none"><div class="value" style="color:#dc3545"><9 $($c.TempFailures.ToString("N0"))</div><div class="label">Temp. Kļūmes</div><div class="pct">$(if($c.Total -gt 0){[math]:Round($c.TempFailures/$c.Total)*100,1)}else{0})%</div></a> <class="card" href="#s-pf" onclick="openSection('d-pf')" style="border-left-color:#721c24; text-decoration:none"><div class="value" style="color:#721c24">$($c.PermFailures.ToString("N0"))</div><div class="label">Not Supported><6 /div><div class="pct">$(if($c.Total -gt 0){[math]:Round($c.PermFailures/$c.Total)*100,1)}else{0})%</div></a><3 </div>
<!-- Deployment Velocity & Cert Expiry --> <div id="s-velocity" style="display:grid; grid-template-columns:1fr 1fr; gap:20px; margin:15px 0"> <div class="section" style="margin:0"> <h2>📅 Deployment Velocity</h2> <div class="section-body open"> <div style="font-size:2.5em; font-weight:700; color:#28a745">$($c.Updated.ToString("N0"))</div> <div style="color:#666">devices updated of $($c.Total.ToString("N0"))</div> <div style="margin:10px 0; background:#e8eaf6; augstums:20px; border-radius:10px; pārpilde:hidden"><div style="background:#28a745; augstums:100%; width:$($stats. PercentCertUpdated)%; border-radius:10px"></div></div> <div style="font-size:.8em; color:#888">$($stats. PercentCertUpdated)% complete</div> <div style="margin-top:10px; padding:10px; background:#f8f9fa; border-radius:8px; font-size:.85em"> <div><strong>Remaining:</strong> $($stNotUptodate.ToString("N0")) ierīcēm nepieciešama</div> <div><strong>Blocking:</strong> $($c.WithErrors + $c.PermFailures + $c.TaskDisabledNotUpdated) ierīces (kļūdas + pastāvīga + uzdevums atspējots)</div> <div><strong>Safe to deploy:</strong> $($stSafeList.ToString("N0")) ierīces (tas pats intervāls kā sekmīgs)</div> $velocityHtml </div> </div> </div> <div class="section" style="margin:0; border-left:4px solid #dc3545"> <h2 style="color:#dc3545">⚠ Certificate Expiry Countdown</h2> <div class="section-body open"> <div style="display:flex; gap:15px; margin-top:10px"> <div style="text-align:center; padding:15px; border-radius:8px; min-platums:120px; background:linear-gradient(135deg,#fff5f5,#ffe0e0); apmale:2px tīrtoņa #dc3545; flex:1"> <div style="font-size:.65em; color:#721c24; text-transform:uppercase; font-weight:bold">⚠ FIRST TO EXPIRE</div> ><4 div style="font-size:.85em; font-weight:bold; color:#dc3545; margin:3px 0"><5 KEK CA 2011</div> ><8 div id="daysKek" style="font-size:2.5em; font-weight:700; color:#dc3545; line-height:1"><9 $daysToKek</div> ><2 div style="font-size:.8em; color:#721c24"><3 (2026. gada 24. jūnijs)><4 /div> ><6 /div> ><8 div style="text-align:center; padding:15px; border-radius:8px; min-platums:120px; background:linear-gradient(135deg,#fffef5,#fff3cd); apmale:2px tīrtoņa #ffc107; flex:1"><9 <div style="font-size:.65em; color:#856404; text-transform:uppercase; font-weight:bold">UEFI CA 2011</div> <div id="daysUefi" style="font-size:2.2em; font-weight:700; color:#856404; line-height:1; margin:5px 0">$daysToUefi</div> <div style="font-size:.8em; color:#856404">(2026. gada 27. jūnijs)</div> </div> <div style="text-align:center; padding:15px; border-radius:8px; min-platums:120px; background:linear-gradient(135deg,#f0f8ff,#d4edff); apmale:2px tīrtoņa #0078d4; flex:1"> <div style="font-size:.65em; color:#0078d4; text-transform:uppercase; font-weight:bold">Windows PCA</div> <div id="daysPca" style="font-size:2.2em; font-weight:700; color:#0078d4; line-height:1; margin:5px 0">$daysToPca><2 /div><3 <div style="font-size:.8em; color:#0078d4">(2026. gada 19. okt.)</div><7 </div><9 </div><1 <div style="margin-top:15px; padding:10px; background:#f8d7da; border-radius:8px; font-size:.85em; border-left:4px solid #dc3545"> <ļoti>⚠ :</strong> Visas ierīces ir jāatjaunina pirms sertifikāta termiņa beigām. Pēc termiņa neatatjauninatās ierīces nevar lietot turpmākos sāknēšanas pārvaldnieka un drošās sāknēšanas drošības atjauninājumus pēc derīguma termiņa beigām.</div> </div> </div> </div>
<!-- diagrammas --> <div class="charts"> <div class="chart-box"><h3>Deployment Status</h3><canvas id="deployChart" height="200"></canvas></div><5 <div class="chart-box"><h3><9 $mfrChartTitle</h3><canvas id="mfrChart" height="200"></canvas></div> </div>
$(if ($historyData.Count -ge 1) { "<!-- Historical Trend Chart --> <div class='section'> <h2 onclick='"toggle('d-trend')'">📈 Atjaunināšanas norise laika <:"top-link' href='#'>↑ Top</a></h2> <div id='d-trend' class='section-body open'> <kanvas id='trendChart' height='120'></canvas> <div style='font-size:.75em; color:#888; margin-top:5px'>Nepārtrauktās līnijas = faktiskie dati$(if ($historyData.Count -ge 2) { " | Pārtraukta līnija = projicēta (eksponenciālā doublings: 2→4→8→16... ierīces vienā viļņā)" } vēl { " | Vēlreiz palaidiet apkopošanu vēlreiz, lai skatītu tendenču līnijas un projekcijas" })</div> </div> </div>" })
<!-- CSV lejupielādes --> <div class="section"> <h2 onclick="toggle('dl-csv')">📥 Lejupielādēt pilnus datus (CSV programmai Excel) <class="top-link" href="#">Top</a></h2><2 <div id="dl-csv" class="section-body open" style="display:flex; flex-wrap:wrap; gap:5px"> <a href="SecureBoot_not_updated_$timestamp.csv" style="display:inline-block; background:#dc3545; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">Nav atjaunināts ($($stNotUptodate.ToString("N0")))</a><8 <a href="SecureBoot_errors_$timestamp.csv" style="display:inline-block; background:#dc3545; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">kļūdas ($($c.WithErrors.ToString("N0")))</a> <a href="SecureBoot_action_required_$timestamp.csv" style="display:inline-block; background:#fd7e14; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">Nepieciešama darbība ($($c.ActionReq.ToString("N0")))</a> <href="SecureBoot_known_issues_$timestamp.csv" style="display:inline-block; background:#dc3545; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">zināmās problēmas ($($c.WithKnownIssues.ToString("N0")))</a> <a href="SecureBoot_task_disabled_$timestamp.csv" style="display:inline-block; background:#dc3545; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">Task Disabled ($($c.TaskDisabled.ToString("N0")))</a> <a href="SecureBoot_updated_devices_$timestamp.csv" style="display:inline-block; background:#28a745; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">atjaunināts ($($c.Updated.ToString("N0")))</a> <a href="SecureBoot_Summary_$timestamp.csv" style="display:inline-block; background:#6c757d; color:#fff; padding:6px 14px; border-radius:5px; text-decoration:none; font-size:.8em">kopsavilkuma</a> <div style="width:100%; font-size:.75em; color:#888; margin-top:5px">CSV faili tiek atvērti programmā Excel. Pieejams, viesojot tīmekļa serverī.</div> </div> </div>
<!-- ražotāja sadalījums --> <div class="section"> <h2 onclick="toggle('mfr')">By Manufacturer <a class="top-link" href="#">Top</a></h2><1 <div id="mfr" class="section-body open"> <><ir><><><1><2 pēdējo><><5><6><><9 atjaunināts><0><><3><3><4 /th><th><7 Action Required><8 /th></tr></thead><3 <t somā /><5 $mfrTableRows><6 /tbody></table><9 </div><1 </div>
<!-- sadaļas (pirmā 200 datu daļa + CSV lejupielāde) - > <div class="section" id="s-err"> <h2 onclick="toggle('d-err')">🔴 Ierīces ar kļūdām ($($c.WithErrors.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-err" class="section-body">$tblErrors</div> </div> <div class="section" id="s-ki"> <h2 onclick="toggle('d-ki')" style="color:#dc3545">🔴 Zināmās problēmas ($($c.WithKnownIssues.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-ki" class="section-body">$tblKI</div> </div> <div class="section" id="s-kek"> <h2 onclick="toggle('d-kek')">🟠 Trūkst KEK — notikums 1803 ($($c.WithMissingKEK.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> >↑ 0 div id="d-kek" class="section-body">↑ 1 $tblKEK</div> >↑ 4 /div> >↑ 6 div class="section" id="s-ar">↑ 7 >↑ 8 h2 onclick="toggle('d-ar')" style="color:#fd7e14">🟠 Nepieciešama darbība ($($c.ActionReq.ToString("N0"))) <a class="top-link" href="#">↑ Top><4 /a></h2><7 <div id="d-ar" class="section-body">$tblActionReq</div> </div> <div class="section" id="s-uo"> <h2 onclick="toggle('d-uo')" style="color:#17a2b8">🔵 Novērojums ($($c.UnderObs.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-uo" class="section-body">$tblUnderObs</div> </div> <div class="section" id="s-nu"> <h2 onclick="toggle('d-nu')" style="color:#dc3545">🔴 Nav atjaunināts ($($stNotUptodate.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-nu" class="section-body">$tblNotUpd</div> </div> >↑ 0 div class="section" id="s-td">↑ 1 >↑ 2 h2 onclick="toggle('d-td')" style="color:#dc3545">🔴 Uzdevums atspējots ($($c.TaskDisabled.ToString("N0"))) >↑ 5 a class="top-link" href="#">↑ Top</a></h2><1 <div id="d-td" class="section-body">$tblTaskDis><4 /div><5 </div><7 <div class="section" id="s-tf"> <h2 onclick="toggle('d-tf')" style="color:#dc3545">🔴 Īslaicīgas kļūmes ($($c.TempFailures.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-tf" class="section-body">$tblTemp</div> </div> <div class="section" id="s-pf"> <h2 onclick="toggle('d-pf')" style="color:#721c24">🔴 Pastāvīgas kļūmes/netiek atbalstītas ($($c.PermFailures.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-pf" class="section-body">$tblPerm</div> </div> <div class="section" id="s-upd-pend"> <h2 onclick="toggle('d-upd-pend')" style="color:#6f42c1">⏳ Update Pending ($($c.UpdatePending.ToString("N0"))) - Politika/WinCS Applied, Tiek gaidīts atjauninājuma <class="top-link" href="#">↑ Top</a></h2> <div id="d-upd-pend" class="section-body"><p style="color:#666; margin-bottom:10px">Devices where AvailableUpdatesPolicy or WinCS key is applied but UEFICA2023Status is still NotStarted, InProgress, or null.</p>$tblUpdatePending</div> </div> <div class="section" id="s-rip"> <h2 onclick="toggle('d-rip')" style="color:#17a2b8">🔵 Notiek izvērše ($($c.RolloutInProgress.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-rip" class="section-body">$tblRolloutIP</div> </div> <div class="section" id="s-sboff"> <h2 onclick="toggle('d-sboff')" style="color:#6c757d">⚫ SecureBoot OFF ($($c.SBOff.ToString("N0"))) - Out of Scope <a class="top-link" href="#"#">↑ Top</a></h2> <div id="d-sboff" class="section-body">$tblSBOff</div> </div> <div class="section" id="s-upd"> <h2 onclick="toggle('d-upd')" style="color:#28a745">🟢 Atjauninātās ierīces ($($c.Updated.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-upd" class="section-body">$tblUpdated</div> </div> <div class="section" id="s-nrb"> <h2 onclick="toggle('d-nrb')" style="color:#ffc107">🔄 Atjaunināta — ir nepieciešama restartēšana ($($c.NeedsReboot.ToString("N0"))) <a class="top-link" href="#">↑ Top</a></h2> <div id="d-nrb" class="section-body">$tblNeedsReboot</div> </div>
<div class="footer">Secure Boot Certificate Rollout Dashboard | Ģenerēts $($stats. ReportGeneratedAt) | StreamingMode | Maksimālā atmiņa: ${stPeakMemMB} MB</div> </div><!-- /container -->
<skripta> function toggle(id){var e=document.getElementById(id); e.classList.toggle('open')} function openSection(id){var e=document.getElementById(id); if(e&&!e.classList.contains('open')){e.classList.add('open')}} new Chart(document.getElementById('deployChart'),{type:'doughnut',data:{labels:['Updated','Update Pending','High Confidence','Under Observation','Action Required','Temp. Pauzēts','Netiek atbalstīts','SecureBoot OFF','Ar kļūdām'],datu kopas:[{data:[$($c.Updated),$($c.UpdatePending),$($c.HighConf),$($c.UnderObs),$($c.ActionReq),$($c.TempPaused),$($c.NotSupported),$($c.SBOff),$($c.WithErrors)],backgroundColor:['#28a745','#6f42c1','#20c997','#17a2b8','#fd7e14','#6c757d',#721c24''#adb5bd','#dc3545']}},options:{responsive:true,plugins:{legend:{position:'right',labels:{font:{size:11}}}}}}); new Chart(document.getElementById('mfrChart'),{type:'bar',data:{labels:[$mfrLabels],datasets:[{label:'Updated',data:[$mfrUpdated],backgroundColor:'#28a745'},{label:'Update Pending',data:[$mfrUpdatePending],backgroundColor:'#6f42c1'},{label:'High Confidence',data:[$mfrHighConf],backgroundColor:'#20c997'},{label:'Under Observation',data:[$mfrUnderObs],backgroundColor:'#17a2b8'},{label:'Action Required',data:[$mfrActionReq],backgroundColor:'#fd7e14'},{ label:'Temp. Paused',data:[$mfrTempPaused],backgroundColor:'#6c757d'},{label:'Not Supported',data:[$mfrNotSupported],backgroundColor:'#721c24'},{label:'SecureBoot OFF',data:[$mfrSBOff],backgroundColor:'#adb5bd'},,{label:'With Errors',data:[$mfrWithErrors],backgroundColor:'#dc3545'}]},options:{responsive:true,scales:{x:{stacked:true},y:{stacked:true}},plugins:{legend:{position:'top'}}}); Vēsturiskās tendences diagramma if (document.getElementById('trendChart')) { var allLabels = [$allChartLabels]; var actualUpdated = [$trendUpdated]; var actualNotUpdated = [$trendNotUpdated]; var actualTotal = [$trendTotal]; var projData = [$projDataJS]; var projNotUpdData = [$projNotUpdJS]; var histLen = actualUpdated.length; var projLen = projData.length; var paddedUpdated = actualUpdated.concat(Array(projLen).fill(null)); var paddedNotUpdated = actualNotUpdated.concat(Array(projLen).fill(null)); var paddedTotal = actualTotal.concat(Array(projLen).fill(null)); var projLine = Array(histLen).fill(null); var projNotUpdLine = Array(histLen).fill(null); if (projLen > 0) { projLine[histLen-1] = actualUpdated[histLen-1]; projLine = projLine.concat(projData); projNotUpdLine[histLen-1] = actualNotUpdated[histLen-1]; projNotUpdLine = projNotUpdLine.concat(projNotUpdData); } var datasets = [ {label:'Updated',data:paddedUpdated,borderColor:'#28a745',backgroundColor:'rgba(40,167,69,0.1)',fill:true,true,background:0.3,borderWidth:2}, {label:'Not Updated',data:paddedNotUpdated,borderColor:'#dc3545',backgroundColor:'rgba(220,53,69,0.1)',fill:true,nn:0.3,borderWidth:2}, {label:'Total',data:paddedTotal,borderColor:'#6c757d',borderDash:[5,5],fill:false,est:0,pointRadius:0,borderWidth:1} ]; if (projLen > 0) { datasets.push({label:'Projected Updated (2x doubling)',data:projLine,borderColor:'#28a745',borderDash:[8,4],borderWidth:3,fill:false,līnija:0.3,pointRadius:3,pointStyle:'triangle'}); datasets.push({label:'Projected Not Updated',data:projNotUpdLine,borderColor:'#dc3545',borderDash:[8,4],borderWidth:3,fill:false,false:0.3,pointRadius:3,pointStyle:'triangle'}); } new Chart(document.getElementById('trendChart'),{type:'line',data:{labels:allLabels,datasets:datasets},options:{responsive:true,scales:{y:{beginAtZero:true,title:{display:true,text:'Devices'}},x:{title:{display:true,text:'Date'}}},plugins:{legend:{position:'top'},title:{display:true,text:'Secure Boot Update Progress over Time'}}}); } Dinamiskais atpakaļskaitīšanas saraksts (function(){var t=new Date(),k=new Date('2026-06-24'),u=new Date('2026-06-27'),p=new Date('2026-10-19'); var dk=document.getElementById('daysKek'),du=document.getElementById('daysUefi'),dp=document.getElementById('daysPca'); if(dk)dk.textContent=Math.max(0,Math.ceil((k-t)/864e5)); if(du)du.textContent=Math.max(0,Math.ceil((u-t)/864e5)); if(dp)dp.textContent=Math.max(0,Math.ceil((p-t)/864e5)))(); </script> </pamatteksta> </html> "@ [System.IO.File]::WriteAllText($htmlPath, $htmlContent, [System.Text.UTF8Encoding]::new($false)) # Vienmēr saglabājiet stabilu "jaunāko" kopiju, lai administratoriem nebūtu izsekojiet laikspiedolus $latestPath = Join-Path $OutputPath "SecureBoot_Dashboard_Latest.html" Copy-Item $htmlPath $latestPath -Force $stTotal = $streamSw.Pagājušie.TotalSecondi # Save file manifest for incremental mode (quick no-change detection on next run) if ($IncrementalMode -or $StreamingMode) { $stManifestDir = Join-Path $OutputPath ".cache" if (-not (test-path $stManifestDir)) { New-Item -ItemType Directory -Path $stManifestDir -Force | Out-Null } $stManifestPath = Join-Path $stManifestDir "StreamingManifest.json" $stNewManifest = @{} Write-Host "Faila saglabāšanas manifests inkrementālajam režīmam..." -PriekšplānsColor pelēks foreach ($jf in $jsonFiles) { $stNewManifest[$jf. FullName.ToLowerInvariant()] = @{ LastWriteTimeUtc = $jf. LastWriteTimeUtc.ToString("o") Lielums = $jf. Garums } } Save-FileManifest -Manifest $stNewManifest -Path $stManifestPath Write-Host " Saglabāts manifests $($stNewManifest.Count) failiem" -PriekšplānsColor DarkGray } SAGLABĀŠANAS VIETAS TĪRĪŠANA # Uncetor atkārtoti pielāgojama mape (Aggregation_Current): paturēt tikai jaunāko palaišanas vietu (1) # Administrēšana manuāla palaišana/citas mapes: paturēt pēdējo 7 darbības laiku # Kopsavilkuma CV NEKAD netiek izdzēsti — tie ir nelieli (~1 KB) un ir tendenču vēstures dublējuma avots $outputLeaf = Split-Path $OutputPath lapu lapa $retentionCount = if ($outputLeaf -eq 'Aggregation_Current') { 1 } else { 7 } # Failu prefiksi ir droši tīrīšanai (īslaicīgi per-run momentuzņēmumi) $cleanupPrefixes = @( 'SecureBoot_Dashboard_', 'SecureBoot_action_required_', 'SecureBoot_ByManufacturer_', 'SecureBoot_ErrorCodes_', 'SecureBoot_errors_', 'SecureBoot_known_issues_', 'SecureBoot_missing_kek_', 'SecureBoot_needs_reboot_', 'SecureBoot_not_updated_', 'SecureBoot_secureboot_off_', 'SecureBoot_task_disabled_', 'SecureBoot_temp_failures_', 'SecureBoot_perm_failures_', 'SecureBoot_under_observation_', 'SecureBoot_UniqueBuckets_', 'SecureBoot_update_pending_', 'SecureBoot_updated_devices_', 'SecureBoot_rollout_inprogress_', 'SecureBoot_NotUptodate_', 'SecureBoot_Kusto_' ) # Visu unikālo laikspiedolu atrašana tikai no tīriem failiem $cleanableFiles = Get-ChildItem $OutputPath -File -EA SilentlyContinue | Where-Object { $f = $_. Vārds; ($cleanupPrefixes | Where-Object { $f.StartsWith($_) }). Count -gt 0 } $allTimestamps = @($cleanableFiles | ForEach-Object { if ($_. Name -match '(\d{8}-\d{6})') { $Matches[1] } } | Sort-Object -Unique -Descending) if ($allTimestamps.Count -gt $retentionCount) { $oldTimestamps = $allTimestamps | Select-Object -Skip $retentionCount $removedFiles = 0; $freedBytes = 0 foreach ($oldTs in $oldTimestamps) { foreach ($prefix: $cleanupPrefixes) { $oldFiles = Get-ChildItem $OutputPath -File -Filter "${prefix}${oldTs}*" -EA SilentlyContinue foreach ($f: $oldFiles) { $freedBytes += $f.Garums Remove-Item $f.FullName -Force -EA SilentlyContinue $removedFiles++ } } } $freedMB = [math]:Round($freedBytes / 1 MB, 1) Write-Host "Saglabāšanas tīrīšana: noņemti $removedFiles faili no vecajiem $($oldTimestamps.Count), atbrīvoti ${freedMB} MB (paturot pēdējo $retentionCount + visi kopsavilkums/NotUptodate TV faili)" -ForegroundColor DarkGray } Write-Host "'n$("=" * 60)" -ForegroundColor Cyan Write-Host "STRAUMĒŠANAS APKOPOJUMS PABEIGTA" -Priekšplānacolor zaļa Write-Host ("=" * 60) -ForegroundColor Cyan Write-Host " Ierīču kopskaits: $($c.Total.ToString("N0"))" -ForegroundColor White Write-Host " NOT UPDATED: $($stNotUptodate.ToString("N0")) ($($stats. PercentNotUptodate)%)" -ForegroundColor $(if ($stNotUptodate -gt 0) { "Yellow" } else { "Green" }) Write-Host " Atjaunināts: $($c.Updated.ToString("N0")) ($($stats. PercentCertUpdated)%)" -PriekšplānaColor zaļa Write-Host " ar kļūdām: $($c.WithErrors.ToString("N0"))" -ForegroundColor $(if ($c.WithErrors -gt 0) { "Red" } else { "Green" }) Write-Host " maksimālā atmiņa: ${stPeakMemMB} MB" -ForegroundColor Cyan Write-Host " Laiks: $([math]:Round($stTotal/60,1)) min" -Priekšplāna_krāsa Balta Write-Host " Informācijas panelis: $htmlPath" -ForegroundColor White return [PSCustomObject]$stats } #endregion STRAUMĒŠANAS REŽĪMS } vēl { Write-Error "Ievades ceļš nav atrasts: $InputPath" iziet 1 }