How to check the OS version at runtime, e.g. on Windows or Linux, without using a conditional compilation statement
Solution 1:
I found this recommendation on one of Microsoft's blogs:
We recommend you to use RuntimeInformation.IsOSPlatform() for platform checks.
Reference: Announcing the Windows Compatibility Pack for .NET Core
IsOSPlatform()
takes an argument of types OSPlatform
which has three values by default: Windows
, Linux
and OSX
. It can be used as follow:
if (RuntimeInformation.IsOSPlatform(OSPlatform.Linux))
{
// Do something
}
The API is part of .NET Standard 2.0, and therefore available in .NET Core 2.0 and .NET Framework 4.7.1.
Solution 2:
[Editor's Note: This answer was applicable before .NET 4.7.1, or before the Windows Compatibility Pack for .NET Core was released. The current best answer is Alex Sanséau's to Stack Overflow question How to check the OS version at runtime, e.g. on Windows or Linux, without using a conditional compilation statement.]
You can detect the execution platform using System.Environment.OSVersion.Platform
:
public static bool IsLinux
{
get
{
int p = (int) Environment.OSVersion.Platform;
return (p == 4) || (p == 6) || (p == 128);
}
}
From the Mono FAQ:
How to detect the execution platform
The execution platform can be detected by using the
System.Environment.OSVersion.Platform
value. However correctly detecting Unix platforms, in every cases, requires a little more work. The first versions of the framework (1.0 and 1.1) didn't include anyPlatformID
value for Unix, so Mono used the value 128. The newer framework 2.0 added Unix to the PlatformID enum but, sadly, with a different value: 4 and newer versions of .NET distinguished between Unix and macOS, introducing yet another value 6 for macOS.This means that in order to detect properly code running on Unix platforms you must check the three values (4, 6 and 128). This ensure that the detection code will work as expected when executed on Mono CLR 1.x runtime and with both Mono and Microsoft CLR 2.x runtimes.
Solution 3:
Use:
System.Environment.OSVersion
Solution 4:
There isn't any such method, but you can use this method that checks it conditionally:
public static OSPlatform GetOperatingSystem()
{
if (RuntimeInformation.IsOSPlatform(OSPlatform.OSX))
{
return OSPlatform.OSX;
}
if (RuntimeInformation.IsOSPlatform(OSPlatform.Linux))
{
return OSPlatform.Linux;
}
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
{
return OSPlatform.Windows;
}
throw new Exception("Cannot determine operating system!");
}
Solution 5:
You can use System.Environment.OSVersion
to check what kind of platform you're on at runtime.