Get installed applications in a system

Iterating through the registry key “SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall” seems to give a comprehensive list of installed applications.

Aside from the example below, you can find a similar version to what I’ve done here.

This is a rough example, you’ll probaby want to do something to strip out blank rows like in the 2nd link provided.

string registry_key = @"SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall";
using(Microsoft.Win32.RegistryKey key = Registry.LocalMachine.OpenSubKey(registry_key))
{
    foreach(string subkey_name in key.GetSubKeyNames())
    {
        using(RegistryKey subkey = key.OpenSubKey(subkey_name))
        {
            Console.WriteLine(subkey.GetValue("DisplayName"));
        }
    }
}

Alternatively, you can use WMI as has been mentioned:

ManagementObjectSearcher mos = new ManagementObjectSearcher("SELECT * FROM Win32_Product");
foreach(ManagementObject mo in mos.Get())
{
    Console.WriteLine(mo["Name"]);
}

But this is rather slower to execute, and I’ve heard it may only list programs installed under “ALLUSERS”, though that may be incorrect. It also ignores the Windows components & updates, which may be handy for you.

Leave a Comment