1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
| Function Get-Timezones {
<#
.SYNOPSIS
Retrieves timezones of local or remote computers via WMI.
.DESCRIPTION
Retrieves timezones of local or remote computers via WMI.
.PARAMETER ComputerName
A single Computer or an array of computer names. The default is localhost ($env:COMPUTERNAME).
.PARAMETER Credentials
Commit Credentials for a different domain.
.PARAMETER Verbose
Run in Verbose Mode.
.EXAMPLE
PS C:\&amp;amp;gt; Get-Timezones -ComputerName (gc 'C:\computers.txt') -Credentials Get-Credential
ComputerName TimezoneName DaylightSaving TimezoneCaption
------------ ------------ -------------- ---------------
SERVER01 W. Europe Standard Time yes (UTC+01:00) Amsterdam, Berlin, Bern, Rome, Stockholm, Vienna
SERVER02 W. Europe Standard Time yes (UTC+01:00) Amsterdam, Berlin, Bern, Rome, Stockholm, Vienna
.NOTES
Author: Sebastian Gräf
Website: https://graef.io
Email: ps@graef.io
Date: June 27, 2017
PSVer: 3.0/4.0/5.0
#>
[Cmdletbinding()]
Param (
[Parameter(ValueFromPipelineByPropertyName = $true, ValueFromPipeline = $true)]
$ComputerName = $Env:COMPUTERNAME,
[Parameter(ValueFromPipelineByPropertyName = $true, ValueFromPipeline = $true)]
[ValidateNotNull()]
[System.Management.Automation.PSCredential][System.Management.Automation.Credential()]
$Credentials = [System.Management.Automation.PSCredential]::Empty
)
Begin {
Write-Verbose " [$($MyInvocation.InvocationName)] :: Start Process"
$Results = @()
$ProgressCounter = 0
}
Process {
foreach ($Computer in $ComputerName) {
$ProgressCounter++
Write-Progress -activity "Running on $Computer" -status "Please wait ..." -PercentComplete (($ProgressCounter / $ComputerName.length) * 100)
if (Test-Connection $Computer -Count 1 -Quiet) {
Write-Verbose " [$($MyInvocation.InvocationName)] :: Processing $Computer"
try {
$win32_timezone = Get-WmiObject -Class win32_timezone -ComputerName $Computer -ErrorAction Stop -Credential $Credentials
if ($win32_timezone.DaylightBias -eq 0) { $daylightsaving = "no" } else { $daylightsaving = "yes" }
$obj = New-Object -Type PSCustomObject -Property @{
ComputerName = $Computer
TimezoneCaption = $win32_timezone.Caption
TimezoneName = $win32_timezone.StandardName
DaylightSaving = $daylightsaving
}
$Results += $obj
}
catch {
Write-Verbose " Host [$Computer] Failed with Error: $($Error[0])"
}
}
else {
Write-Verbose " Host [$Computer] Failed Connectivity Test"
}
}
$Results | select ComputerName, TimezoneName, DaylightSaving, TimezoneCaption
}
End {
Write-Progress -activity "Running on $Computer" -Status "Completed." -Completed
Write-Verbose " [$($MyInvocation.InvocationName)] :: End Process"
}
}
|