Где в реестре ключ windows

Как посмотреть ключ Windows 10Сразу после выхода новой ОС, все стали интересоваться, как узнать ключ установленной Windows 10, хотя в большинстве случаев он не требуется. Тем не менее, если вам все-таки требуется ключ для тех или иных целей, его сравнительно просто определить, как для установленной ОС, так и зашитый производителем в UEFI ключ продукта (они могут отличаться).

В этой инструкции описаны простые способы узнать ключ продукта Windows 10 с помощью командной строки, Windows PowerShell, а также сторонних программ. Заодно упомяну о том, почему разные программы показывают разные данные, как отдельно посмотреть OEM ключ в UEFI (для ОС, которая изначально была на компьютере) и ключ установленной в данный момент системы.

  • Просмотр ключа продукта Windows 10 в ShowKeyPlus (ключ установленной системы и ключ из UEFI)
  • Еще две программы, чтобы узнать ключ продукта Windows 10
  • Как узнать ключ с помощью PowerShell
  • С помощью скрипта VBS

Примечание: если вы произвели бесплатное обновление до Windows 10, а теперь хотите узнать ключ активации для чистой установки на том же компьютере, вы можете это сделать, но это не обязательно (к тому же у вас будет ключ такой же, как и у других людей, получивших десятку путем обновления). При установке Windows 10 с флешки или диска, вас попросят ввести ключ продукта, но вы можете пропустить этот шаг, нажав в окне запроса «У меня нет ключа продукта» (и Майкрософт пишет, что так и нужно делать).

После установки и подключения к Интернету, система будет автоматически активирована, поскольку активация «привязывается» к вашему компьютеру после обновления. То есть поле для ввода ключа в программе установки Windows 10 присутствует только для покупателей Retail-версий системы. Дополнительно: для чистой установки Windows 10 можно использовать ключ продукта от ранее установленной на том же компьютере Windows 7, 8 и 8.1. Подробнее про такую активацию: Активация Windows 10. А при желании, можно использовать Windows 10 и без активации.

Просмотр ключа продукта  установленной Windows 10 и OEM-ключа в ShowKeyPlus

Есть множество программ для описываемых здесь целей, о многих из которых я писал в статье Как узнать ключ продукта Windows 8 (8.1) (подойдет и для Windows 10), но мне больше других приглянулась найденная недавно ShowKeyPlus, которая не требует установки и отдельно показывает сразу два ключа: установленной в текущий момент системы и OEM ключ в UEFI. Заодно сообщает, для какой именно версии Windows подходит ключ из UEFI. Также с помощью этой программы можно узнать ключ из другой папки с Windows 10 (на другом жестком диске, в папке Windows.old), а заодно проверить ключ на валидность (пункт Check Product Key).

Все, что нужно сделать — запустить программу и посмотреть отображаемые данные:

Посмотреть ключ Windows 10 в ShowKeyPlus

 

  • Installed Key — ключ установленной системы.
  • OEM Key (Original Key) — ключ предустановленной ОС, если она была на компьютере, т.е. ключ из UEFI.

Также эти данные можно сохранить в текстовый файл для дальнейшего использования или архивного хранения, нажав кнопку «Save». Кстати, проблема с тем, что порой разные программы показывают разные ключи продукта для Windows, как раз и появляется из-за того, что некоторые из них смотрят его в установленной системе, другие в UEFI.

Как узнать ключ продукта Windows 10 в ShowKeyPlus — видео

Скачать ShowKeyPlus можно со страницы https://github.com/Superfly-Inc/ShowKeyPlus/releases/

Еще две программы, чтобы узнать ключ продукта Windows 10

Если по той или иной причине ShowKeyPlus для вас оказался неподходящим вариантом, можно использовать следующие две программы:

Просмотр ключа установленной Windows 10 с помощью PowerShell

Там, где можно обойтись без сторонних программ, я предпочитаю обходиться без них. Просмотр ключа продукта Windows 10 — одна из таких задач. Если же вам проще использовать бесплатную программу для этого, пролистайте руководство ниже. (Кстати, некоторые программы для просмотра ключей отправляют их заинтересованным лицам)

Простой команды PowerShell или командной строки, для того чтобы узнать ключ установленной в настоящий момент времени системы не предусмотрено (есть такая команда, показывающая ключ из UEFI, покажу ниже. Но обычно требуется именно ключ текущей системы, отличающийся от предустановленной). Но можно воспользоваться готовым скриптом PowerShell, который отображает необходимую информацию (автор скрипта Jakob Bindslet).

Вот что потребуется сделать. Прежде всего, запустите блокнот и скопируйте в него код, представленный ниже.

#Main function
Function GetWin10Key
{
	$Hklm = 2147483650
	$Target = $env:COMPUTERNAME
	$regPath = "Software\Microsoft\Windows NT\CurrentVersion"
	$DigitalID = "DigitalProductId"
	$wmi = [WMIClass]"\\$Target\root\default:stdRegProv"
	#Get registry value 
	$Object = $wmi.GetBinaryValue($hklm,$regPath,$DigitalID)
	[Array]$DigitalIDvalue = $Object.uValue 
	#If get successed
	If($DigitalIDvalue)
	{
		#Get producnt name and product ID
		$ProductName = (Get-itemproperty -Path "HKLM:Software\Microsoft\Windows NT\CurrentVersion" -Name "ProductName").ProductName 
		$ProductID =  (Get-itemproperty -Path "HKLM:Software\Microsoft\Windows NT\CurrentVersion" -Name "ProductId").ProductId
		#Convert binary value to serial number 
		$Result = ConvertTokey $DigitalIDvalue
		$OSInfo = (Get-WmiObject "Win32_OperatingSystem"  | select Caption).Caption
		If($OSInfo -match "Windows 10")
		{
			if($Result)
			{
				
				[string]$value ="ProductName  : $ProductName `r`n" `
				+ "ProductID    : $ProductID `r`n" `
				+ "Installed Key: $Result"
				$value 
				#Save Windows info to a file 
				$Choice = GetChoice
				If( $Choice -eq 0 )
				{	
					$txtpath = "C:\Users\"+$env:USERNAME+"\Desktop"
					New-Item -Path $txtpath -Name "WindowsKeyInfo.txt" -Value $value   -ItemType File  -Force | Out-Null 
				}
				Elseif($Choice -eq 1)
				{
					Exit 
				}
			}
			Else
			{
				Write-Warning "Запускайте скрипт в Windows 10"
			}
		}
		Else
		{
			Write-Warning "Запускайте скрипт в Windows 10"
		}
		
	}
	Else
	{
		Write-Warning "Возникла ошибка, не удалось получить ключ"
	}

}
#Get user choice 
Function GetChoice
{
    $yes = New-Object System.Management.Automation.Host.ChoiceDescription "&Yes",""
    $no = New-Object System.Management.Automation.Host.ChoiceDescription "&No",""
    $choices = [System.Management.Automation.Host.ChoiceDescription[]]($yes,$no)
    $caption = "Подтверждение"
    $message = "Сохранить ключ в текстовый файл?"
    $result = $Host.UI.PromptForChoice($caption,$message,$choices,0)
    $result
}
#Convert binary to serial number 
Function ConvertToKey($Key)
{
	$Keyoffset = 52 
	$isWin10 = [int]($Key[66]/6) -band 1
	$HF7 = 0xF7
	$Key[66] = ($Key[66] -band $HF7) -bOr (($isWin10 -band 2) * 4)
	$i = 24
	[String]$Chars = "BCDFGHJKMPQRTVWXY2346789"	
	do
	{
		$Cur = 0 
		$X = 14
		Do
		{
			$Cur = $Cur * 256    
			$Cur = $Key[$X + $Keyoffset] + $Cur
			$Key[$X + $Keyoffset] = [math]::Floor([double]($Cur/24))
			$Cur = $Cur % 24
			$X = $X - 1 
		}while($X -ge 0)
		$i = $i- 1
		$KeyOutput = $Chars.SubString($Cur,1) + $KeyOutput
		$last = $Cur
	}while($i -ge 0)
	
	$Keypart1 = $KeyOutput.SubString(1,$last)
	$Keypart2 = $KeyOutput.Substring(1,$KeyOutput.length-1)
	if($last -eq 0 )
	{
		$KeyOutput = "N" + $Keypart2
	}
	else
	{
		$KeyOutput = $Keypart2.Insert($Keypart2.IndexOf($Keypart1)+$Keypart1.length,"N")
	}
	$a = $KeyOutput.Substring(0,5)
	$b = $KeyOutput.substring(5,5)
	$c = $KeyOutput.substring(10,5)
	$d = $KeyOutput.substring(15,5)
	$e = $KeyOutput.substring(20,5)
	$keyproduct = $a + "-" + $b + "-"+ $c + "-"+ $d + "-"+ $e
	$keyproduct 
	
  
}
GetWin10Key

Сохраните файл с расширением .ps1. Для того, чтобы сделать это в блокноте, при сохранении в поле «Тип файла» укажите «Все файлы» вместо «Текстовые документы». Сохранить можно, например, под именем win10key.ps1

После этого, запустите Windows PowerShell от имени Администратора. Для этого, можно начать набирать PowerShell в поле поиска, после чего кликнуть по нему правой кнопкой мыши и выбрать соответствующий пункт.

Запуск PowerShell от имени администратора

В PowerShell введите следующую команду: Set-ExecutionPolicy RemoteSigned и подтвердите ее выполнение (ввести Y и нажать Enter в ответ на запрос).

Следующим шагом, введите команду: C:\win10key.ps1 (в данной команде указывается путь к сохраненному файлу со скриптом).

Получение ключа Windows 10 в PowerShell

В результате выполнения команды вы увидите информацию о ключе установленной Windows 10 (в пункте Installed Key) и предложение сохранить ее в текстовый файл. После того, как вы узнали ключ продукта, можете вернуть политику выполнения скриптов в PowerShell к значению по умолчанию с помощью команды Set-ExecutionPolicy restricted

Как узнать OEM ключ из UEFI в PowerShell

Если на вашем компьютере или ноутбуке была предустановлена Windows 10 и требуется просмотреть OEM ключ (который хранится в UEFI материнской платы), вы можете использовать простую команду, которую необходимо запустить в командной строке от имени администратора.

wmic path softwarelicensingservice get OA3xOriginalProductKey

В результате вы получите ключ предустановленной системы при его наличии в системе (он может отличаться от того ключа, который используется текущей ОС, но при этом может использоваться для того, чтобы вернуть первоначальную версию Windows).

Еще один вариант этой же команды, но для Windows PowerShell

(Get-WmiObject -query "select * from SoftwareLicensingService").OA3xOriginalProductKey

Как посмотреть ключ установленной Windows 10 с помощью скрипта VBS

И еще один скрипт, уже не для PowerShell, а в формате VBS (Visual Basic Script), который отображает ключ продукта установленной на компьютере или ноутбуке Windows 10 и, возможно, удобнее для использования.

Скопируйте в блокнот строки, представленные ниже.

Set WshShell = CreateObject("WScript.Shell")
regKey = "HKLM\SOFTWARE\Microsoft\Windows NT\CurrentVersion\"
DigitalProductId = WshShell.RegRead(regKey & "DigitalProductId")
Win10ProductName = "Версия Windows 10: " & WshShell.RegRead(regKey & "ProductName") & vbNewLine
Win10ProductID = "ID продукта: " & WshShell.RegRead(regKey & "ProductID") & vbNewLine
Win10ProductKey = ConvertToKey(DigitalProductId)
ProductKeyLabel ="Ключ Windows 10: " & Win10ProductKey
Win10ProductID = Win10ProductName & Win10ProductID & ProductKeyLabel
MsgBox(Win10ProductID)
Function ConvertToKey(regKey)
Const KeyOffset = 52
isWin10 = (regKey(66) \ 6) And 1
regKey(66) = (regKey(66) And &HF7) Or ((isWin10 And 2) * 4)
j = 24
Chars = "BCDFGHJKMPQRTVWXY2346789"
Do
Cur = 0
y = 14
Do
Cur = Cur * 256
Cur = regKey(y + KeyOffset) + Cur
regKey(y + KeyOffset) = (Cur \ 24)
Cur = Cur Mod 24
y = y -1
Loop While y >= 0
j = j -1
winKeyOutput = Mid(Chars, Cur + 1, 1) & winKeyOutput
Last = Cur
Loop While j >= 0
If (isWin10 = 1) Then
keypart1 = Mid(winKeyOutput, 2, Last)
insert = "N"
winKeyOutput = Replace(winKeyOutput, keypart1, keypart1 & insert, 2, 1, 0)
If Last = 0 Then winKeyOutput = insert & winKeyOutput
End If
a = Mid(winKeyOutput, 1, 5)
b = Mid(winKeyOutput, 6, 5)
c = Mid(winKeyOutput, 11, 5)
d = Mid(winKeyOutput, 16, 5)
e = Mid(winKeyOutput, 21, 5)
ConvertToKey = a & "-" & b & "-" & c & "-" & d & "-" & e
End Function

Должно получиться как на скриншоте ниже.

Скрипт чтобы узнать ключ Windows 10 в блокноте

После этого сохраните документ с расширением .vbs (для этого в диалоге сохранения в поле «Тип файла» выберите «Все файлы».

Сохранение скрипта VBS в блокноте

Перейдите в папку, где был сохранен файл и запустите его — после выполнения вы увидите окно, в котором будут отображены ключ продукта и версия установленной Windows 10.

Ключ продукта Windows 10, полученный с помощью скрипта VBS

Как я уже отметил, программ для просмотра ключа есть множество — например, в Speccy, а также других утилитах для просмотра характеристик компьютера можно узнать эту информацию. Но, уверен, тех способов, что описаны здесь, будет достаточно практически в любой ситуации.

Переустановка системы, непредвиденный сбой и банальная нечитаемость наклейки могут доставить хлопот, если вдруг потребуется восстановить ключ лицензии Windows. Отчаиваться не стоит: на помощь нам придут скрипты и многочисленные программы, предназначенные для получения искомого ключа.

Рассмотрим несколько способов найти 25-значный ключ активации, где каждый пользователь независимо от используемой версии ОС Windows, будь то версия 7, 8 или 10, найдет себе самый подходящий вариант.

Скрипт VBS

Начнем с пары самых простых методов, которые не требуют установки какого-либо стороннего ПО. Для реализации скрипта VBS нам потребуется создать простой текстовый документ. После этого вносим в него следующий текст скрипта.

Задаем произвольное имя файлу, дописываем расширение «.vbs», затем в подпункте «Тип файла» выбираем значение «Все файлы» и сохраняем.

Нам остается лишь запустить созданный скрипт двойным щелчком мышки. Появится окошко с ключом лицензии. Нажатие на кнопку «Ок» отобразит более подробную информацию — ID продукта и полную версию Windows. Очередное нажатие кнопки «Ок» закроет скрипт.

PowerShell

Для реализации скрипта с помощью PowerShell потребуется файл, созданный в «Блокноте» и запущенный от имени администратора. Вносим в него соответствующий скрипт.

Сохраняем файл: задаем имя и дописываем «.ps1», тип файла — «Все файлы». Выбираем местом сохранения директорию локального диска «С».

Далее нам нужно запустить созданный скрипт. Для этого кликаем по кнопке «Пуск» правой кнопкой мышки и выбираем пункт «Windows PowerShell (администратор)». В открывшемся окне вводим команду:

Set-ExecutionPolicy RemoteSigned

Для подтверждения команды вводим букву «Y». Остается ввести путь до скрипта, в конкретном случае он выглядит так:

с:\dns.ps1

Если вы выполнили все правильно, то на экране появится название продукта, ID и ключ.

Чтобы сохранить ключ в отдельный файл, вводим букву «Y» и подтверждаем. Соответствующий текстовый файл с именем «WindowsKeyInfo» появится на рабочем столе.

После получения ключа можно восстановить стандартные настройки политики выполнения скриптов. Потребуется лишь ввести следующую команду:

Set-ExecutionPolicy restricted

Подтвердите данную процедуру командой «Y» и закройте приложение командой «Exit».

Если Windows на вашем ПК была предустановлена, вшитый ключ OEM в UEFI материнской платы можно увидеть с помощью следующей команды:

wmic path softwarelicensingservice get OA3xOriginalProductKey

Вводить ее нужно в командной строке, предварительно запущенной от имени администратора.

ProduKey

Перейдем к специализированным программам. Produkey — простенькая утилита, разработанная для отображения ключей и ID различных программ. После скачивания Produkey достаточно кликнуть по иконке программы, чтобы открылось главное окно.

Кроме ключа Windows, мы получим информацию и о других установленных продуктах — Office и Explorer. В соответствующих столбцах присутствует информация о месте установки, дате изменения, имени ПК и ID продукта.

ShowKeyPlus

ShowKeyPlus схожа по функционалу с ранее рассмотренной программой ProduKey. Скачав приложение, мы попадаем в окно, где в левой части расположены несколько подпунктов, а в правой отображается информация о системе. Тут уже знакомые нам ID продукта, версии Windows и, конечно, ключ.

Весьма полезной будет функция, сохраняющая информацию о ключе активации в отдельном текстовом документе.

Для этого нужно кликнуть по вкладке «Save», после чего выбрать имя сохраняемого файла и тип. Кроме стандартного текстового файла, документ доступен в форматах Word и Excel.

Free PC Audit

Приложение Free PC Audit обладает обширным инструментарием для получения сведений о ПК. Тут мы обнаружим и установленные приложения, и действующие в данный момент процессы, и подробную информацию о каждом компоненте ПК.

Естественно, разработчики данной утилиты не обошли вниманием и операционную систему. Перейдя на вкладку «System», мы найдем информацию об имени ПК, ID и ключе установленной Windows.

В довесок к этому можно узнать версию ОС и дату установки. Для копирования ключа продукта достаточно выбрать соответствующий пункт и нажать комбинацию клавиш «Ctrl+C».

AIDA64 Extreme

Знакомая многим программа AIDA64 Extreme позволяет не только контролировать температуру комплектующих и проводить стресс-тесты системы, но и получить заветный ключ лицензии Windows. 

Установив приложение, достаточно перейти на вкладку «Операционная система». В правом окне появится интересующая нас информация. Помимо ключа продукта, AIDA64 Extreme показывает ID операционной системы, имя пользователя и компьютера, а также версию ОС и дату ее установки.

You may need to find the Windows 10 product key if you want to transfer the license to another PC. Or if you want to activate Windows 11 using the previous version of Windows. Microsoft offers Windows 10 licenses through different channels. Commonly, it could be a retail license or OEM license. There are different ways to retrieve the key depending on Windows 10 license type.

Find Windows 10 License Type

First, you need to find the activation status of your Windows 10 PC.

1. Go to Start and open Settings, and navigate to System.

2. Select Activation from the left options, and you will find license details.

windows activation status

You may see that Windows is activated with a digital license or organization.

Activation Status License Type
Windows is Activated Product Key
Windows is Activated with a digital license OEM or Digital License
Windows is activated using your organization’s activation service Volume Licensing

Product Key– Windows 10 will have a product key in these cases-

  • When you buy a PC that comes with Windows 10
  • Windows 10 was bought from Microsoft online store.
  • Buying digital or box copy from an authorized reseller
  • Volume licensing agreement with the organization
  • Bought a refurbished PC running Windows 10

Digital License – You will see “Windows is activated with a digital license” in these cases

  • Upgrading to Windows 10 for free using a genuine copy of Windows 8.1 or 7.
  • Buying Windows 10 upgrade from Microsoft Store.
  • Buying Windows 10 from Microsoft App Store.
  • Becoming Windows Insider from a genuine copy of Windows 10

Now, depending on the license type, you may or may not find the actual product key. However, you should try these methods.

Find Windows 10 Product Key Using Command Prompt

If Windows 10 is activated using a product key, you can find it using the command prompt.

1: Go to the Windows Search Bar, type “CMD,” and right-click to Run as administrator.

2: Type the following command and hit enter:

wmic path softwareLicensingService get OA3xOriginalProductKey 

That’s it. This command will display the product key in the Command Prompt.

Find Windows 10 Product Key

 If you do not see a Product Key, or if the result is blank, it means that you are using a digital license / OEM License.

Also, this method is deprecated with the latest build of Windows 10. But you can still try.

Get Product Key Using Powershell

Powershell is another administrative tool to execute Windows commands. You can use it to get Windows 10 product key as well.

1. Go to Start and search for PowerShell.

2. Right-click on it and “Run as Administrator.”

3. Type or copy-paste the following command-

powershell "(Get-WmiObject -query ‘select * from SoftwareLicensingService’).OA3xOriginalProductKey"

powershell command to get product key

Again, this may show blank results on a PC activated with a digital license.

Find Windows 10 Product key in the Registry Editor

Windows stores the product key in the registry database; you can get the key from the registry editor.

1. Go to Start and search for regedit.

2. RIght click on Registry Editor and click “Run as Administrator.”

3. You will get the registry editor. Navigate to the following path by expanding the folder tree.

Computer\HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SoftwareProtectionPlatform

find product key using registry

Once you navigate the given path, select “SoftwareProtectionPlatform” and check the registry keys on the right pane.

Check the value for the “BackupProductKeyDefault” registry key. Double-click on it and copy the value data. This 25-digit string is the product key.

This will work in both cases if your PC is activated using a key or have a digital license.

Using Third-Party Software 

If the above methods aren’t working for you, it is recommended to use a third-party tool. One such tool is KeyFinder by Magical Jelly Bean. The tool is lightweight, and the publisher is verified by Microsoft.

  • First, download and install ProductKeyFinder.
  • Once installed, run the program.
  • Open the ProduKey application.
  • Now you will see the CD key listed here.

keyfinder

That’s it! This way, you can get the product key embedded in the system firmware.

If you bought at laptop with pre-activated version of Windows 10 then most probably it will be a digital license, manufacture will embed the key in system UEFI/BIOS. Such keys are not transferable.

For digital license – You don’t need to supply the product key to activate Windows 10 or Windows 11 on same PC, just link your Microsoft account to Windows 10 before upgrade.

Let’s say that you do not have access to the activated Windows. There could be several cases like you might have bought a new computer, a new Windows 10 copy, etc. Then there are a few possibilities for finding the product key:

If You Have Just Bought a New PC Running Windows 10

In that case, you should find the Windows 10 Product Key preinstalled. You can find it inside the packaging of the computer or in the Certificate of Authenticity (COA) attached to the PC. You can also contact the seller from whom you bought the computer for help. 

If you buy Windows 10 from an authorized seller, you will have the product key inside the packaging. Just make sure that you do not throw the box or contents inside it right away. 

If You Buy Digital Copy of Windows 10 From An Authorized Seller

When you buy a digital copy of Windows 10 from any authorized seller, you receive the product key in your email. You can always look inside the spam folder if you don’t find the email.

If You Buy Windows 10 From Microsoft Store

 Well, if you buy Windows 10 from Official Microsoft Store, then there should be no problem. You will get your product key in the registered email account. Additionally, you can also find the product key on the Orders History page of the Microsoft Account you used to buy Windows 10.

You can use the key to re-activate Windows 10 on the same PC if you have a digital license. It won’t work if you have changed the motherboard.

If your PC was activated using the 25-digit product key, it is transferrable; you just need to deactivate it on the old PC.

Also Read:

  • What is DISM Command & How To Use It To Repair Windows 10 Image
  • How to Fix Slow Windows 10 & Improve Performance – 200% Faster PC

Faqs

How do I find my Windows 10 product key using CMD?

Open the command prompt as admin and type “wmic path softwareLicensingService get OA3xOriginalProductKey not working” and hit enter to see the product key.

wmic path softwareLicensingService get OA3xOriginalProductKey not working

If Windows 10 is activated using OEM / Digital License, the above command will show a blank result. In this case, link your Microsoft account to Windows 10 for an upgrade.

Is Windows 10 Key Retail or OEM?

1. Open the command prompt as admin.
2. Type slmgr /dli and hit enter.
3. Check the Windows Description
4. It will result in Retail OEM or Volume Licensing.

How do I find my Windows 10 product key in BIOS?

1. Open PowerShell as admin.
2 Type (Get-WmiObject -query ‘select * from SoftwareLicensingService’).OA3xOriginalProductKey
3. Hit enter on the keyboard, showing the product key.

How do I find my Windows 10 product key in the Registry?

1. Open the registry editor.
2. Navigate to Computer\HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SoftwareProtectionPlatform
3. Check the value for BackupProductKeyDefault. This value is the product key


Download Article


Download Article

Do you need to find the product key for your copy of Windows 7? If you need to reinstall Windows 7 or use your license on another PC, you’ll need a valid 25-digit product key to authenticate your version of Windows through Microsoft. Fortunately, there are several easy ways to display your Windows 7 product key without installing software, including using the command prompt (CMD), checking the registry, and running an easy VB script. This wikiHow article will teach you free ways to find or recover your Windows 7 product key.

Things You Should Know

  • Run «wmic path softwarelicensingservice get OA3xOriginalProductKey» at the Windows 7 command prompt to show your product key.
  • If you can’t boot into Windows, you can find the product key on the COA sticker on the POC, on your Windows 7 packaging, or on your receipt.
  • Third-party software like ProduKey and ShowKeyPlus are free options for displaying lost product keys.
  1. Image titled Find Your Windows 7 Product Key Step 1

    If your PC came preinstalled with Windows 7, you should be able to find a Certificate of Authenticity (COA) sticker on your computer. This sticker often has a holographic or rainbow label, but sometimes will just be a plain white sticker. If you’re using a tower/desktop computer, it’ll usually be on the side or back of the unit. On a laptop, it’s typically on the bottom of the unit or under the battery.

  2. Advertisement

  1. Image titled Find Your Windows 7 Product Key Step 9

    Use the Windows Command Prompt to find the product key. This is a handy way to display your Windows 7 product key if you can no longer read what’s on the sticker or can’t find it elsewhere. As long as Windows 7 was installed on this computer when you purchased it, you’ll be able to pull up the key this way.

    • Click the Start menu and select Run.
    • Type cmd and click OK to open Command Prompt.
    • At the prompt, type wmic path softwarelicensingservice get OA3xOriginalProductKey and press Enter.
    • Find the 25-digit product key on the next line.
  1. Image titled 7020249 3

    1

    Open the Registry Editor on your Windows 7 PC. In most cases, you can locate the product key in your registry. To open the registry editor:

    • Press Windows key + R to open the Run dialog.
    • Type regedit.
    • Click OK
  2. Image titled 7020249 4

    2

    Navigate to the correct registry key. The path you’ll need to access is HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows\CurrentVersion\Install\UserData. Here’s how to get there:

    • Expand the HKEY_LOCAL_MACHINE folder in the left panel.
    • Expand the SOFTWARE folder beneath it.
    • Expand the MICROSOFT folder.
    • Expand the Windows folder.
    • Expand the CurrentVersion folder.
    • Expand the Install folder.
    • Expand the UserData folder.
  3. Image titled 7020249 5

    3

    Press Ctrl + F and type ProductID. This allows you to search for the product key.

  4. Image titled 7020249 6

    4

    Click Find Next. Now you’ll see a «ProductID» entry in the right panel. You can double-click this entry to display an easy-to-copy version of your 25-digit Windows 7 product key.

  5. Advertisement

  1. Image titled 7020249 7

    Download ProduKey from http://www.nirsoft.net/utils/product_cd_key_viewer.html. This simple free tool can display product keys for many older Microsoft products, including Windows 7, 8, Vista, Microsoft Office, and SQL Server.[1]
    To download, click the Download ProduKey (In Zip file) link to download the ZIP file, unzip the file, then double-click the file ending with .exe to display your 25-digit product key.

    • This tool is often falsely flagged as a virus, even though it’s totally safe.[2]
      The only reason it’s flagged is because the tool is capable of viewing your product key, which many antivirus apps think can be used to pirate software.[3]
      As long as you download the tool directly from Nirsoft, it’s safe and you can ignore any virus warnings.[4]
    • If you can’t get Nirsoft’s tool to work, try ShowKeyPlus, which you can download from https://github.com/Superfly-Inc/ShowKeyPlus/releases.[5]
      You can then unzip the downloaded file and run the Showkeyplus.exe file inside to display your product key.
  1. Image titled 7020249 8

    1

    Open Notepad on your Windows 7 PC. you still can’t find the product key, you can paste a simple Visual Basic script into a text file and run it like an application to display your product key. Start by launching Notepad, which you’ll find in your Start menu’s Accessories folder.

  2. Image titled 7020249 9

    2

    Paste this code into a blank Notepad file. Just copy and paste this block of code into your blank new text file.[6]

    Set WshShell = CreateObject("WScript.Shell")
    MsgBox ConvertToKey(WshShell.RegRead("HKLM\SOFTWARE\Microsoft\Windows NT\CurrentVersion\DigitalProductId"))
    Function ConvertToKey(Key)
    Const KeyOffset = 52
    i = 28
    Chars = "BCDFGHJKMPQRTVWXY2346789"
    Do
    Cur = 0
    x = 14
    Do
    Cur = Cur * 256
    Cur = Key(x + KeyOffset) + Cur
    Key(x + KeyOffset) = (Cur \ 24) And 255
    Cur = Cur Mod 24
    x = x -1
    Loop While x >= 0
    i = i -1
    KeyOutput = Mid(Chars, Cur + 1, 1) & KeyOutput
    If (((29 - i) Mod 6) = 0) And (i <> -1) Then
    i = i -1
    KeyOutput = "-" & KeyOutput
    End If
    Loop While i >= 0
    ConvertToKey = KeyOutput
    End Function
    
  3. Image titled 7020249 10

    3

    Save the file as productkey.vbs. To do this, just click File > Save as, choose a location you’ll remember (your desktop is a good option), type productkey.vbs as the file name, and then click Save.

  4. Image titled 7020249 11

    4

    Double-click the productkey.vbs file you’ve created. For example, if you saved the file to your desktop, just double-click the productkey.vbs icon on your desktop. This displays a pop-up window that contains your Windows 7 product key.

  5. Advertisement

  1. Image titled Find Your Windows 7 Product Key Step 2

    If you bought a physical copy of Windows 7 and still have the box, look for the product key sticker on the software. Sometimes this sticker is affixed to the outside of the Windows 7 box or CD packaging while other times it may be on a card insert inside the box.[7]

  1. Image titled Find Your Windows 7 Product Key Step 3

    If you ordered Windows 7 online, the product key should be on your confirmation email message or receipt. Search your email for a confirmation message from Microsoft (or from whoever you purchased the software) and you’ll find the 25-character product key.

  2. Advertisement

  1. Image titled Find Your Windows 7 Product Key Step 4

    If you’re still not able to pull up the product key, the manufacturer of your PC may be able to help. As long as you purchased a computer that came with Windows 7 from a manufacturer like Dell, HP, or Lenovo, a technician should be able to provide you with any tools you’ll need to pull up your product key.

Add New Question

  • Question

    How do I convert a 1 gig USB to an 8 gig USB?

    Community Answer

    You can’t. You have to buy an 8 gig USB.

  • Question

    I can’t download the Win7 ISO because when I type the product key I find on the bottom of my laptop it says it «appears to be for SW pre-installed by the device manufacturer.» Any ideas?

    Community Answer

    Do a Google search for «Windows 7 ISO file.» It may take some time to find a good website to download it from, but you should be able to get one.

Ask a Question

200 characters left

Include your email address to get a message when this question is answered.

Submit

Advertisement

  • Try re-entering your Windows 7 product key if you receive an “invalid product key” error. This error usually means you mistyped the product key, or that you’re entering the product key for another version of Windows.[8]

Advertisement

About This Article

Article SummaryX

1. Check the COA sticker on the top, back, bottom or any side of your computer.
2. Check the label or card inside the box if you bought a physical copy of Windows.
3. Check the confirmation email if you bought Windows online.
4. Contact your PC manufacturer if you don’t have your COA sticker.

Did this summary help you?

Thanks to all authors for creating a page that has been read 440,490 times.

Is this article up to date?

Ключ активации Windows или ключ продукта — это комбинация букв и цифр, которая помогает проверить подлинность лицензии Windows 11. Ключ продукта Windows предназначен для подтверждения того, что операционная система не используется более чем на одном компьютере, как указано в условиях использования Microsoft. ОС запрашивает ключ продукта каждый раз, когда вы выполняете новую установку Windows.

Когда мы активируем Windows с помощью ключа продукта, он также сохраняется локально на нашем компьютере. Если по какой-то причине потерялся оригинальный ключ, не стоит переживать. Это руководство покажет, как легко найти ключ продукта Windows 11, используя простые способы.

1. Открываем командную строку (CMD) через поиск Windows 11, набрав в строке поиска запрос «cmd».

2. Вводим в командную строку следующий запрос:

wmic path softwareLicensingService get OA3xOriginalProductKey

Затем нажимаем «Enter».

Способ 2. Находим ключ продукта Windows 11 через реестр

1. Открываем реестр, нажав горячие клавиши «Win+R» для вызова диалогового окна «Выполнить», в котором набираем «regedit» и нажимаем «ОК».

2. Переходим в следующую ветку:

Компьютер\HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SoftwareProtectionPlatform

3. Находим строковый параметр «BackupProductKeyDefault», в поле «Значение» будет находится ключ продукта.

Способ 3. Восстановим ключ продукта Windows 11 при помощи PowerShell

1. Щелкаем на панели задач по иконке поиска, вводим в поисковой строке «powershell» и запускаем от имени администратора.

2. Вводим команду:

powershell "(Get-WmiObject -query 'select * from SoftwareLicensingService').OA3xOriginalProductKey"

И нажимаем «Enter» на клавиатуре.

Важно! Способ с командной строкой или PowerShell сработает только в том случае, если Windows 11 активирован с помощью ключа продукта.

  • Где ввести имя пользователя и пароль администратора в windows 10
  • Где в ноутбуке найти панель управления в windows 10
  • Где в windows расположены сертификаты
  • Где в компьютере посмотреть какой windows установлен на компьютере
  • Где в компьютере найти мой компьютер в windows