I'm trying to use the following code to compare a file's version to a specified version and tell me which one is higher.
$servers = Get-Content -Path "C:\Temp\reviewfileversion\servers.txt"
$versioupdated = "16.11.32106.195"
foreach ($server in $servers) {
$version = Invoke-Command -ComputerName $server -ScriptBlock { Get-ChildItem "C:\Program Files (x86)\Microsoft Visual Studio\2019\Enterprise\Common7\IDE\devenv.exe" | ForEach-Object { $_.VersionInfo.productversion }
If ($version -eq $versioupdated) {
Write-Host "updated"
}
else {
Write-Host "no updated"
}
}
}
The result that it always tells me is that it is "updated", even if I change the version of the variable $versionupdated
.
I have tried putting it like this:
-
If($version -eq $versioupdated)
-
If($version -eq 16.11.32106.195)
-
If($version -eq "16.11.32106.195")
And the same but with -match
, -like
and trying with different comparators.
I have read some help from this forum, but they have not worked for me. Any ideas?
I'm not sure if this is a typographical error or a logical error, but I will reformat your code a bit so the problem is more evident...
Now it's clear that the
-ScriptBlock
parameter encompasses not just theGet-ChildItem ... | ForEach-Object ...
pipeline but also theIf...else...
block that follows.Local session variables in a remote
[ScriptBlock]
The pipeline is yielding the
VersionInfo.ProductVersion
property of thedevenv.exe
file, which will be assigned to the local variable$version
, but you can't then use that same variable in remote code...$versioupdated
is also only defined locally, so that comparison becomes effectively......which is always
$true
.The shortest path to making your code work is to simply move one closing brace such that the remote code only obtains the
ProductVersion
property and the local code performs the actual comparison...If you really did want to perform the comparison remotely you could define
$versioupdated
inside the[ScriptBlock]
so it is a remote variable......or as above but just compare against the string literal instead...
...or define it as a local variable and pass it as parameter to the
[ScriptBlock]
using-ArgumentList
......or specify the
Using:
scope to identify the variable as coming from the local session...Comparing version strings
You also mentioned that you want to...
Comparing
[String]
instances with the-eq
operator, of course, will only tell you if the[String]
s are identical. You probably won't bump into it with the[FileVersionInfo]
class, but[String]
comparisons will give you undesirable results for cases like this......or this...
Instead, convert your version
[String]
s to instances of the[Version]
class, which knows how to compare each component of the version......as well as determine ordering...
You can incorporate
[Version]
comparisons into your code like this...