Editing bios in windows

Вы можете использовать PowerShell для просмотра или изменения настроек BIOS/UEFI на компьютере Windows. В этой статье мы рассмотрим, как получить или изменить настройки BIOS компьютера через Windows PowerShell на обычном компьютере и на брендовых устройствах популярных производителей (HP, Lenovo, Dell, Toshiba).

Содержание:

  • Получаем информацию из BIOS/UEFI с помощью PowerShell
  • Получить и изменить настройки BIOS с помощью модуля Get-BIOS
  • Управление BIOS из PowerShell на компьютерах Lenovo
  • Доступ к настройкам BIOS из PowerShell на компьютерах Hewlett-Packard
  • Настройка BIOS на устройствах DELL из PowerShell

Получаем информацию из BIOS/UEFI с помощью PowerShell

Базовая информация о BIOS (UEFI) компьютера доступна в WMI классе Win32_BIOS. Вы можете вывести всю доступную информацию о BIOS с помощью командлета Get-WmiObject.

Get-WmiObject -Class Win32_BIOS

Get-WmiObject Win32_BIOS вывести версию BIOS

По умолчанию команда возвращает информацию о версии BIOS (SMBIOSBIOSVersion + Manufacturer), серийный номер и модель компьютера (SerialNumber, Version).

Полный список параметров BIOS, который доступен в WMI классе Win32_BIOS можно вывести командой:

Get-WmiObject -Class Win32_BIOS | Format-List *

Get-WmiObject -Class Win32_BIOS

Можно вывести только интересующие вас настройки BIOS. Например, версию BIOS, серийный номер компьютера, производителя и дату выпуска:

Get-WmiObject -Class Win32_BIOS | Select SMBIOSBIOSVersion, Manufacturer, SerialNumber, ReleaseDate

Можно получить информацию BIOS удаленного компьютера:

Get-WmiObject -Class Win32_BIOS -ComputerName MSK-WKS2210

Информация о BIOS компьютера хранится в реестре Windows. Вы можете получить нужную информацию BIOS напрямую из реестра с помощью PowerShell:

Get-ItemProperty -Path HKLM:\HARDWARE\DESCRIPTION\System\BIOS

nayti-parametry bios/uefi хранятся в реестре

Класс Win32_BIOS является универсальным и может быть использован для получения базовой информации о BIOS на любом устройстве Windows.

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

Получить и изменить настройки BIOS с помощью модуля Get-BIOS

Для получения настроек BIOS/UEFI брендовые компьютеров Dell, HP, Lenovo, Toshiba можно использовать отдельный модуль из PSGallery, который называется Get-BIOS.

Установите модуль из онлайн галереии PowerShell (также вы можете установить PowerShell модуль офлайн):

Install-Module GetBIOS

Чтобы вывести настройки BIOS вашего компьютера, выполните команду:

Get-BIOS

get-bios вывести настройки BIOS с помощью PowerShell

На компьютерах Dell можно вывести описание настроек BIOS с помощью параметра:

Get-BIOS -ShowDescription

Также от этого же разработчика есть модуль, который позволяет изменить настройки BIOS на устройствах Dell/Lenovo/HP.

Install-Module SetBIOS

Для изменения настроек BIOS вашего устройства, нужно сформировать CSV файл в формате {Setting, Value}.

Чтобы применить CSV файл с натсройками BIOS, выполните команду:

Set-BIOS -Path "YourPath.csv"

Если BIOS защищен паролем, добавьте в параметр -Password.

Управление BIOS из PowerShell на компьютерах Lenovo

На компьютерах Lenovo текущие настройки BIOS хранятся в оттельном WMI классе. Вы можете вывести список параметров BIOS и их текущие значения так:

Get-WmiObject -class Lenovo_BiosSetting -namespace root\wmi | select-object InstanceName, currentsetting

Получить настройки BIOS на компьютере Lenovo из Powershell

Проверим, что на компьютере Lenovo установлен пароль для входа в BIOS:

(gwmi -Class Lenovo_BiosPasswordSettings -Namespace root\wmi).PasswordState

Если команда вернула 0, значит пароль для входа в BIOS не установлен.

проверить наличие пароля BIOS Lenovo_BiosPasswordSettings - data-lazy-src=

Изменить пароль BIOS на устройстве:

(gwmi -Class Lenovo_SetBiosPassword -Namespace root\wmi).SetBiosPassword("pap,oldPassword,newPassword,ascii,us")

Вы можете изменить некоторые параметры BIOS на компьютерах Lenovo. Например, включим на компьютере WOL:

$getLenovoBIOS = gwmi -class Lenovo_SetBiosSetting -namespace root\wmi
$getLenovoBIOS.SetBiosSetting("WakeOnLAN,Enable")
$SaveLenovoBIOS = (gwmi -class Lenovo_SaveBiosSettings -namespace root\wmi)
$SaveLenovoBIOS.SaveBiosSettings()

Сбросить настройки BIOS устройства Lenovo на заводские:

$DefaultSettings = Get-WmiObject -Namespace root\wmi -Class Lenovo_LoadDefaultSettings
$DefaultSettings.LoadDefaultSettings("CurrentBIOSPassword,ascii,us")

Доступ к настройкам BIOS из PowerShell на компьютерах Hewlett-Packard

На компьютерах/ноутбуках от HP можно использовать следующую команду для получения параметров BIOS, их значений и доступных опций:

Get-WmiObject -Namespace root/hp/instrumentedBIOS -Class hp_biosEnumeration | select Name, value, possiblevalues –AutoSize

Вы можете изменить некоторые настройки BIOS на компьютерах HP из PowerShell. Например, отключить загрузку компьютера с USB устройств.

$getHPBios = gwmi -class hp_biossettinginterface -Namespace "root\hp\instrumentedbios"
$getHPBios.SetBIOSSetting('USB Storage Boot','Disable')

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

$HPBIOSPassword = "<utf-16/>"+"P@$$w0rd"
$getHPBios = gwmi -class hp_biossettinginterface -Namespace "root\hp\instrumentedbios"
$getHPBios.SetBIOSSetting(‘Network (PXE) Boot','Disable',$HPBIOSPassword)

Если последняя команда вернула “Return 0”, значит она отработала успешно. Можно сделать простейший обработчик:

$ChangeBIOS_State = $bios.setbiossetting(Network (PXE) Boot', 'Disable' , $HPBIOSPassword)
$ChangeBIOS_State_Code = $ChangeBIOS_State.return
If(($ChangeBIOS_State_Code) -eq 0)
{
write-host "OK"
}
Else
{
write-host "Error - (Return code $ChangeBIOS_State_Code)" -Foreground Red
}

Если вы хотите включить в BIOS LAN/WLAN Switching на ноутбуке HP для автоматического отключения от Wi-FI при наличии Ethernet подключения, выполните команду:

$getHPBios.SetBIOSSetting('LAN/WLAN Switching','Enable')

Кроме того, вы можете установить на устройство Hewlet Packard расширение HP Client Management Script Library, CMSL (https://www.hp.com/us-en/solutions/client-management-solutions/download.html). В состав CMSL входят несколько PowerShell модулей, который позволяют получить или изменить настройки BIOS/UEFU, обновить прошивку и т.д.

Экспорт настроек BIOS в текстовый файл:

Get-HPBIOSSettingsList | Out-File -FilePath ‘C:\ProgramData\HP\CMSL\Logs\CurrentBIOSSettings.txt’

Включить WLAN Auto Switch:

Set-HPBIOSSettingValue -Name "LAN/WLAN Auto Switching" -Value Enable -Password BiosPass000rd

Настройка BIOS на устройствах DELL из PowerShell

На компьютерах DELL для просмотра и управления параметрами BIOS вы можете использовать WMI класс DCIM-BIOSService или более новый класс root\dellomci (доступен после установки пакета OMCI — Open Manage Client Instrumentation).

Чтобы вывести порядок использования загрузочных устройств в BIOS на компьютерах Dell, выполните:

Get-WmiObject -NameSpace root\dellomci Dell_BootDeviceSequence | sort bootorder | select BootDeviceName, BootOrder

класс dellomci для получения параметров bios на компьютерах DELL

Например, вы можете включить Wake on LAN в BIOS следующим образом:

(Get-WmiObject DCIM-BIOSService -namespace rootdcimsysman).SetBIOSAttributes($null,$null,"Wake-On-LAN","4")

Кроме того, для компьютеров Dell можно использовать официальный PowerShell модуль DellBIOSProvider, который устанавливается при установке драйверов либо вы можете установить его вручную командой:

Install-Module -Name DellBIOSProvider -Force

С помощью этого модуля вы можете получить порядок загрузки на компьютере Dell:

Get-Item DellSmbios:\BootSequence\Bootsequence

Проверить, задан ли пароль BIOS:

Get-Item -Path DellSmbios:\Security\IsAdminPasswordSet

Изменить пароль BIOS на устройстве Dell:

Set-Item -Path Dellsmbios\Security\AdminPassword –Value 0ldDellP@ss –Password Newde11P@ss

Мы рассмотрели, как получить и изменить настройки BIOS на устройствах Windows с помощью PowerShell. Это позволит вам стандартизировать настройки BIOS/UEFI на всех компьютерах в вашей сети (с помощью SCCM, Intune, MDT, и т.д.

How to Edit BIOS in Windows 11: A Comprehensive Guide

Editing BIOS (Basic Input/Output System) or more accurately, accessing the BIOS settings on a computer running Windows 11 can be an essential part of system customization, troubleshooting, and optimization. The BIOS is a firmware interface that initializes hardware components during the startup of a PC and provides runtime services for operating systems and programs. This detailed guide will explain how to access and edit BIOS settings on systems running Windows 11, including precautions, tips, and best practices.

Understanding BIOS and UEFI

Before diving into the step-by-step process of editing the BIOS in Windows 11, it’s important to understand what BIOS and UEFI (Unified Extensible Firmware Interface) entail:

  • BIOS: The traditional firmware interface that has been around since the early days of PCs. It initializes hardware during boot-up and provides an interface for configuring hardware settings.
  • UEFI: A modern replacement for BIOS, which offers more features, better security, and faster boot times. Most new computers today use UEFI, which provides a more user-friendly graphical interface compared to the text-based interface of traditional BIOS.

While the primary function remains the same, UEFI adds enhancements, making it essential to understand which one your system uses.

Why Edit BIOS Settings?

There are several reasons users may want to edit BIOS settings:

  1. Boot Order: Adjusting the order in which devices (e.g., hard drives, USB drives) are accessed during startup.
  2. Hardware Settings: Enabling or disabling specific hardware components such as virtualization technologies, secure boot, or integrated peripherals.
  3. Overclocking: Tweaking performance settings to enhance the speed of CPU and RAM for demanding applications.
  4. Power Management: Adjusting power settings to optimize for performance or energy efficiency.
  5. System Security: Configuring options like Secure Boot or setting BIOS passwords to enhance security.

Precautions Before Editing BIOS

Editing BIOS settings can significantly impact your computer’s performance or even render it unbootable if done incorrectly. Here are some precautions to ensure a safe experience:

  • Backup Important Data: Always back up your important files before making any changes to the BIOS.
  • Know What You’re Changing: Research the settings you intend to change. If unsure, consult your motherboard’s manual or manufacturer documentation.
  • Avoid Unnecessary Changes: Stick to the changes necessary for your desired outcomes.
  • Have a Recovery Method Ready: Know how to reset the BIOS to its default settings in case you encounter issues.

How to Access BIOS in Windows 11

Accessing the BIOS in a Windows 11 PC typically involves one of the following methods:

Method 1: Accessing BIOS via Settings

  1. Open Settings: Click on the Start menu and select the Settings gear icon.
  2. Navigate to System: Click on ‘System’ in the left sidebar.
  3. Select Recovery: Scroll down and click on ‘Recovery’.
  4. Advanced Startup: Under Advanced startup, click on the ‘Restart now’ button.
  5. Choose Troubleshoot: Once your PC restarts, select ‘Troubleshoot’ from the options presented on the screen.
  6. Go to Advanced Options: Click on ‘Advanced options’, and then select ‘UEFI Firmware Settings’.
  7. Restart to Access BIOS: Click the ‘Restart’ button, and your PC will restart and take you to the BIOS/UEFI menu.

Method 2: Accessing BIOS via Hotkeys

PC manufacturers often assign specific keys to enter the BIOS. Here is a general approach:

  1. Shut Down Your PC: Ensure the computer is completely off.
  2. Power On: Turn on your PC.
  3. Press the BIOS Access Key: Immediately after pressing the power button, repeatedly hit the designated key for BIOS access. Common keys include:
    • DELL: F2
    • HP: Esc or F10
    • Lenovo: F1 or F2
    • ASUS: F2 or Delete
    • Acer: F2 or Delete
    • MSI: Delete
    • Gigabyte: Delete or F2

If you miss the timing, simply restart and try again.

Navigating the BIOS/UEFI Interface

Once you’re in the BIOS/UEFI interface, you’ll notice that it can vary greatly in appearance based on the manufacturer. Here’s a general way to navigate:

  • Use Arrow Keys: In most BIOS/UEFI menus, use the arrow keys to highlight items.
  • Enter Key: Use the Enter key to select a highlighted option.
  • Escape Key: Press the Esc key to go back or exit menus.
  • F10 Key: Often used to save changes and exit.

Common BIOS Settings and How to Edit Them

1. Changing Boot Order

To change which device your computer boots from:

  1. Navigate to the «Boot» tab or section in the BIOS.
  2. You will see a list of devices; use the arrow keys to highlight a device (e.g., USB, hard drive).
  3. Use the keys indicated on screen (often + and -) to rearrange the boot order.
  4. Save changes before exiting.

2. Enabling Virtualization

To enable virtualization for running virtual machines:

  1. Go to the «Advanced» or «CPU Configuration» section in BIOS.
  2. Look for “Intel VT”, “Virtualization Technology”, or similar options.
  3. Change the setting to «Enabled».
  4. Save and exit.

3. Overclocking CPU

Overclocking involves increasing the clock speed of your CPU for better performance. This is a more advanced user action.

  1. Locate the “CPU Configuration” or “Overclocking” tab.
  2. Adjust the multiplier and voltage settings as necessary. Do this cautiously!
  3. Save and exit.

4. Adjusting Power Management Settings

To optimize your computer’s power settings:

  1. Go to the «Power Management» or «Advanced» section.
  2. Adjust settings like Sleep and Wake options.
  3. Consider enabling features like “Wake on LAN” for useful remote access.
  4. Save your changes.

5. Setting a BIOS Password

For enhanced security, you may want to set a BIOS password:

  1. Navigate to the “Security” tab.
  2. Look for options to set a Supervisor password or User password.
  3. Follow prompts to set and confirm your password.
  4. Save and exit.

Saving Changes and Exiting BIOS

After making your desired changes, you must save them:

  1. Navigate to the «Exit» tab or section.
  2. Select the “Save Changes and Exit” option. Confirm if prompted.
  3. Your PC will restart with the new settings.

Troubleshooting Common BIOS Issues

Even with careful adjustments, issues can sometimes arise. Here are common problems and how to troubleshoot them:

Boot Loop or Failure

If your system fails to boot after BIOS changes:

  • Reset BIOS: Access the BIOS again and look for an option to restore default settings, or remove and replace the CMOS battery to reset.
  • Check Boot Order: Ensure that the correct primary boot device is selected and that any USB devices aren’t causing conflicts.

Overheating

If overclocking leads to overheating:

  • Reset Settings: Restore default settings in the BIOS.
  • Check Cooling: Ensure that your cooling system is functioning properly.

Conclusion

Editing BIOS settings on a Windows 11 PC can unlock a range of options that allow you to optimize your hardware and improve your overall computing experience. However, it is a process that requires caution and knowledge. Always remember to back up your data, consult your motherboard documentation, and avoid unnecessary changes. With this guide, you should feel more confident navigating the BIOS/UEFI interface, making the changes you need, and enhancing your system’s performance while minimizing risks.

Editing or configuring the BIOS (Basic Input/Output System) is an essential task for anyone looking to optimize their computer’s performance or troubleshoot hardware-related issues. While Windows 11 has modernized many aspects of computing, understanding how to manage BIOS settings remains relevant. This article will guide you through the steps of accessing and editing the BIOS in Windows 11, covering everything from preparation to execution.

Understanding BIOS

Before diving into the process, it’s important to understand what BIOS is and why it matters. The BIOS is a firmware interface that initializes and tests the hardware during the booting process before handing control over to the operating system. This low-level interface is crucial for managing hardware settings such as boot sequences, hardware configurations, and power management settings.

Preparing to Edit BIOS

Backup Important Data

Editing BIOS can lead to changes that may impact how your system operates. While changes can often be reversed, it’s wise to back up important data beforehand. Use external drives or cloud storage to ensure that your documents, files, and settings are secure.

Identify Your Motherboard

To edit the BIOS effectively, you should know the make and model of your motherboard. This information helps you navigate specific BIOS settings tailored to your hardware. You can find this information in several ways:

  • Using System Information: Press Win + R, type msinfo32, and hit Enter. Look for “System Model” under System Summary.
  • Using Command Prompt: Open Command Prompt and type wmic baseboard get product,Manufacturer, then hit Enter.

Update BIOS (If Necessary)

Before editing the BIOS, check if your motherboard manufacturer provides updates. Updates often include fixes for bugs, new features, and performance improvements. Visit the manufacturer’s website, download the latest BIOS version for your motherboard, and follow the instructions for installation. Ensure that you do this correctly, as a failed update can lead to a non-functional system.

Accessing BIOS in Windows 11

There are several methods to access BIOS settings in Windows 11. Here are the most common:

Method 1: Using Advanced Startup

  1. Open Settings: Click on the Start menu and select the gear icon to open the Settings app.
  2. System: Navigate to the «System» tab.
  3. Recovery: Click on «Recovery» from the left sidebar.
  4. Advanced Startup: In the Recovery options section, locate «Advanced startup» and click “Restart now.”
  5. Troubleshoot: After your PC restarts, select «Troubleshoot.»
  6. Advanced Options: Choose «Advanced Options.»
  7. UEFI Firmware Settings: Click on this option.
  8. Restart: Finally, click «Restart,» and your PC will load into the BIOS.

Method 2: Using the Startup Menu

If you prefer a more traditional method:

  1. Restart Your Computer: If you’re already in Windows 11, restart your PC.
  2. Press the BIOS Key: During the boot process, repeatedly press the specific key for accessing BIOS. Common keys include F2, F10, ESC, or DEL. The exact key can vary based on the motherboard manufacturer and may appear on the initial boot screen.

Method 3: Using Command Prompt

  1. Open Command Prompt: Search for «cmd» in the Windows search bar, right-click on it, and select «Run as administrator.»
  2. Command to Access BIOS: Type the command shutdown /r /o /f /t 00 and hit Enter. This will restart your computer directly into the advanced startup options where you can follow the earlier instructions to access the BIOS.

Navigating BIOS

Once you successfully access the BIOS, you will be presented with a user interface that might look different depending on your motherboard. Here are some common sections you’re likely to encounter:

Main Menu

The main menu typically shows the basic system information, including the CPU, RAM, BIOS version, and configuration options.

Advanced Menu

Includes settings for various components, such as CPU configurations, system performance, and memory settings.

Boot Menu

Here, you can configure the boot order of your devices (Hard drives, USB, etc.), determining which device the system attempts to load first.

Security Menu

You can manage password protections, secure boot settings, and other security-related configurations.

Exit Menu

This section is for saving or discarding changes made in the BIOS.

Popular BIOS Settings to Edit

Changing the Boot Order

One of the most common edits in the BIOS is changing the boot order. This is particularly useful if you need to boot from a USB drive or external media:

  1. Navigate to Boot Menu: Use the arrow keys to find the Boot menu item.
  2. Adjust Boot Priority: Change the boot order settings. Typically, move USB devices to the top if you want to boot from a USB stick.
  3. Save Changes and Exit: Once done, you should save and exit to apply the changes.

Overclocking CPU and RAM

Overclocking can enhance performance but comes with risks. To overclock:

  1. Navigate to Advanced Menu: Locate the CPU settings or an overclocking section (different for each motherboard).
  2. Adjust Multipliers: Increase the CPU multiplier to raise clock speed, but be sure to check temperature thresholds.
  3. Save Changes: Always monitor performance and stability.

Enabling/Disabling Secure Boot

Secure Boot helps protect your system against unauthorized access. To modify it:

  1. Locate the Security Menu: Find the Secure Boot option.
  2. Toggle Secure Boot: Enable or disable it as per your security needs.
  3. Save and Exit: Changes should be saved before leaving the BIOS.

Adjusting Fan and Power Settings

Fan controls may include options for setting fan speeds and behaviors based on temperature thresholds. Power settings often involve configuring sleep and wake-up parameters.

  1. Navigate to the Hardware Monitor or Fan Control section.
  2. Adjust settings as necessary, following the temperature settings and relationship to fan RPM.
  3. Save the changes.

Enabling Virtualization Technology

If you plan to run virtual machines, enabling virtualization technology is necessary.

  1. Navigate to the Advanced menu.
  2. Find Intel VT-x or AMD-V: Depending on your CPU.
  3. Enable it.
  4. Save and Exit.

Saving Changes and Exiting BIOS

After you’ve made the necessary changes, saving them is crucial to ensure that they take effect. Follow these steps:

  1. Navigate to the Exit Menu: Use the arrow keys to scroll to the exit section.
  2. Select Save Changes and Exit: Confirm your choice. Usually, you’ll be prompted to review changes before confirming.
  3. Restart the System: Your computer will restart, and the new settings will be applied.

Troubleshooting Common BIOS Issues

After editing BIOS settings, you might encounter issues. Here are some troubleshooting tips:

System Fails to Boot

If your PC fails to boot after making changes:

  1. Enter BIOS Again: Restart and press the BIOS access key repeatedly.
  2. Restore Defaults: Look for a “Load Setup Defaults” option to revert all settings to factory defaults.
  3. Apply Changes: Confirm and restart your system.

No Display on Monitor

If your monitor remains blank after adjusting BIOS settings:

  1. Check Connections: Ensure that all cables are securely connected to both the PC and monitor.
  2. Reset BIOS: If needed, you can reset the BIOS by clearing the CMOS battery (consult your motherboard manual for guidance).

Conclusion

Editing BIOS settings in Windows 11 can significantly influence your system’s performance and capabilities when done cautiously. While it may seem daunting, following the steps outlined above ensures that you can navigate BIOS settings with confidence. Always approach edits with care, and remember to document any changes you make for future reference.

This guide provides foundational knowledge to understand BIOS optimizations truly. Regularly revisiting your BIOS can help you keep your system in peak condition for all your personal and professional needs. As technology advances, stay informed about the latest updates and enhancements related to BIOS management to ensure that your computing experience is seamless and efficient.

Accessing the BIOS or UEFI firmware settings is crucial for managing your computer’s hardware and boot options. Windows 10 and 11 offer multiple ways to enter these settings, making the process easier than ever before.

You can enter the BIOS on Windows 10 by clicking the Start button, selecting the power icon, and holding Shift while clicking “Restart”. This method opens the advanced startup options, allowing you to access the UEFI firmware settings. For Windows 11 users, the process is similar, but you can also use the Settings app to enter BIOS.

Some computers display a specific key to press during startup to enter the BIOS directly. Common keys include F1, F2, F10, ESC, or Delete. If you’re unsure which key to use, check your computer’s manual or look for on-screen prompts during boot.

Accessing Your BIOS From Windows

Accessing and editing your BIOS from Windows can be done in a few ways, but it’s important to proceed with caution as incorrect changes can cause problems. Here’s a breakdown of common methods:  

1. Using Windows’ Advanced Startup Options:

  • Open Settings: Press the Windows key + I to open the Settings app.
  • Go to Recovery: Click on “Update & Security,” then select “Recovery” in the left sidebar.  
  • Advanced Startup: Under “Advanced startup,” click on the “Restart now” button.  
  • Troubleshoot: When the computer restarts, select “Troubleshoot.”  
  • Advanced Options: Choose “Advanced options” and then “UEFI Firmware Settings.”  
  • Restart: Click on “Restart” to access the BIOS.  

2. Using the Shift Key Restart:

  • Start Menu: Click on the Start menu or press the Windows key.
  • Shift + Restart: Hold down the Shift key on your keyboard.  
  • Power Options: Click on “Power” and then select “Restart” while still holding Shift.  
  • Troubleshoot: Select “Troubleshoot” -> “Advanced options” -> “UEFI Firmware Settings” -> “Restart.”  

3. Using the Command Prompt:

  • Open Command Prompt: Press Windows key + R to open the Run dialog box. Type “cmd” and press Enter to open the Command Prompt.
  • Shutdown Command: Type “shutdown.exe /r /fw” (without quotes) and press Enter. This will restart your computer and directly enter the BIOS.  

4. Using a Shortcut:

  • Create Shortcut: Right-click on your desktop and select “New” -> “Shortcut.”
  • Command: In the location field, type “shutdown.exe /r /fw” (without quotes) and click “Next.”
  • Name: Name the shortcut (e.g., “Access BIOS”) and click “Finish.”
  • Run as Administrator: Right-click the shortcut, select “Properties” -> “Advanced,” and tick “Run as administrator.”

Important Notes:

  • BIOS Keys: Some computers may require pressing a specific key (like Del, F2, F10, F12, or Esc) repeatedly during startup to enter the BIOS. This key is often displayed briefly on the screen during the boot process.  
  • UEFI vs. BIOS: Modern computers use UEFI (Unified Extensible Firmware Interface), which is a more advanced system than traditional BIOS. The methods above generally work for both.  
  • Caution: Modifying BIOS settings can be risky and may void your warranty. Only make changes if you understand their implications. If you’re unsure, consult your computer’s manual or seek help from a qualified technician.  

Remember: The exact steps and options may vary slightly depending on your computer’s manufacturer and model. Always refer to your computer’s documentation for specific instructions.

Key Takeaways

  • Windows offers built-in methods to access BIOS/UEFI settings
  • Some computers require specific keys pressed during startup
  • BIOS access allows users to manage hardware and boot options

Preparing to Access BIOS or UEFI Firmware Settings

Accessing BIOS or UEFI firmware settings requires careful preparation and knowledge of your device’s specific requirements. Understanding the difference between BIOS and UEFI, considering key factors before access, and identifying the correct key for your device are crucial steps.

Understanding BIOS and UEFI

BIOS (Basic Input/Output System) and UEFI (Unified Extensible Firmware Interface) are low-level software interfaces that control hardware initialization during the booting process. BIOS is older and has limitations, while UEFI is newer and offers more features.

BIOS uses a simple text-based interface and supports drives up to 2.2 TB. It boots in “legacy” mode and is common in older systems.

UEFI provides a graphical interface, supports larger drives, and offers faster boot times. It also includes security features like Secure Boot to prevent unauthorized operating systems from loading.

Many modern computers use UEFI, but some still refer to it as “BIOS” for familiarity.

Key Considerations Before Accessing BIOS

Before entering BIOS or UEFI settings, users should take several precautions:

  1. Save all open work and close running programs.
  2. Ensure the device has sufficient battery power or is plugged in.
  3. Disable fast startup and secure boot if needed.
  4. Be prepared to reset CMOS if changes cause boot issues.

Users should also have a clear purpose for accessing BIOS/UEFI, such as changing boot order, updating firmware, or adjusting hardware settings.

It’s crucial to research specific changes beforehand and understand their potential impacts on system performance and stability.

Identifying Your Device’s BIOS Key

Different manufacturers use various keys to access BIOS/UEFI settings. Common keys include:

  • Dell: F2 or F12
  • HP: F10 or Esc
  • Lenovo: F1 or F2
  • Asus: F2 or Del
  • Acer: F2 or Del
  • MSI: Del

To find the correct key for a specific device:

  1. Check the boot screen for instructions.
  2. Consult the device manual or manufacturer’s website.
  3. Try common keys like F2, F10, F12, or Del.

Some laptops have a dedicated BIOS button. If unsure, users can access BIOS through Windows 11 settings, which works for most modern devices.

Accessing BIOS/UEFI from Windows

Windows offers multiple methods to enter the BIOS or UEFI settings. Users can choose from simple menu options, advanced startup features, or command-line tools.

Using Windows Settings for Access

The Settings app provides an easy way to access UEFI in Windows 11. To begin, open Settings with the Windows key + I shortcut. Navigate to System > Recovery. Find the “Advanced startup” option and click “Restart now.”

After the restart, select Troubleshoot > Advanced options > UEFI Firmware Settings. Click “Restart” to enter BIOS.

For Windows 10, the process is similar. Go to Settings > Update & Security > Recovery. Under “Advanced startup,” click “Restart now.”

This method works well for most users. It bypasses the need for precise timing during boot.

Advanced Startup Options

The Advanced Startup Options menu offers another route to BIOS. Users can access it by holding Shift while clicking Restart in the Start menu.

On the blue screen that appears, select Troubleshoot > Advanced options > UEFI Firmware Settings. Click “Restart” to enter BIOS.

This method is useful when Windows isn’t booting normally. It’s also helpful for users who prefer a visual interface over command-line tools.

Some devices have special keys to access BIOS during startup. Common keys include F2, F10, F12, or Del. The exact key varies by manufacturer.

Using Command Line Tools

Command Prompt and PowerShell offer quick BIOS access for advanced users. Open either tool as an administrator.

Type this command and press Enter:

shutdown /r /t 0 /o

This restarts the PC and opens the Advanced Startup Options menu. From there, follow the path: Troubleshoot > Advanced options > UEFI Firmware Settings.

For faster access, create a shortcut with this command. Right-click the desktop, select New > Shortcut, and paste the command. Name it “BIOS Access” for easy identification.

These command-line methods are efficient for users comfortable with text-based interfaces. They’re especially useful for remote administration or scripting tasks.

Download Article

A user-friendly guide to accessing and configuring the BIOS/UEFI

Download Article

  • Entering the BIOS on Startup
  • |

  • Entering the BIOS with Settings
  • |

  • Changing BIOS Settings
  • |

  • FAQ
  • |

  • Video
  • |

  • Q&A
  • |

  • Tips
  • |

  • Warnings

Do you need to change or set up your computer’s BIOS settings? The BIOS (Basic Input/Output System) boots up your computer and manages the data flow between the operating system (OS) and attached devices. Since the BIOS is tied to a computer’s motherboard, the appearance of each BIOS will vary slightly by manufacturer. This wikiHow will show you how to access and adjust the BIOS settings for your Windows 8, 10, or 11 computer. We’ve also spoken with some computer specialists and included some of their best BIOS tips.

Changing BIOS Settings

The most common way to access the BIOS settings is to press a specific key at startup. The key varies depending on what kind of computer you have, but it’s typically F2, F10, Del, or Esc. You’ll usually see it displayed during the power-on self-test (POST).

  1. Step 1 Turn on your computer.

    You’ll only be able to access the BIOS upon startup.[1]

    • If your computer is already on, you’ll need to restart your computer.
  2. Step 2 Press Del or F2 to enter setup.

    You can press and hold or repeatedly press this button. According to computer and tech specialist Luigi Oppido, the BIOS button could be F1, F2, F10, F12, or Del, but this could vary depending on your device.

    • Here’s a list of some of the most common setup keys by manufacturer:
      • Acer: F2 or Del
      • ASUS: F2 or Del
      • Dell: F2
      • HP: Esc or F10
      • Lenovo: F1

        • According to computer repair specialist Blain Gunter, some Lenovo computers have a reset hole on the bottom. You can use a paperclip to press this button for 30 seconds, which will clear the BIOS. However, not every Lenovo has this button.
      • MSI: Del
      • Microsoft Surface Tablets: Press and hold the volume-up button.
      • Origin PC: Del
      • Samsung: F2
      • Sony: F2
      • Toshiba: F2
    • It’s best to start pressing the setup key as soon as the computer begins to restart.
    • If you see «Press [key] to enter setup» or something similar flash across the bottom of the screen and then disappear, you’ll need to restart your computer and try again.
    • Look at your computer model’s manual or online support page to confirm your computer’s BIOS key.

    Advertisement

  3. Step 3 Wait for your BIOS to load.

    After successfully hitting the setup key, the BIOS will load. This should only take a few moments. When the loading is complete, you will be taken to the BIOS settings menu.

    • You can now update your computer’s BIOS.
    • This is the quickest way to enter the BIOS, but you can also access the BIOS through the Windows Settings.
  4. Advertisement

  1. Step 1 Open Settings on your computer.

    Click the Start menu, then click the cog icon to open Settings.[2]

    • Use this method to enter the BIOS from your Windows Settings rather than a setup key.
  2. Step 2 Click Update & Security.

    This will be towards the bottom of the screen.

  3. Step 3 Click Recovery.

    This is in the left panel, underneath Troubleshoot.

  4. Step 4 Click Restart now.

    This will be underneath the Advanced startup header.

    • Your computer will restart, then load a special menu.
  5. Step 5 Click Troubleshoot.

    Within the Troubleshoot window, select Advanced Options, then UEFI Firmware Settings.[3]

  6. Step 6 Click Restart.

    Your computer will restart and enter the BIOS.[4]

  7. Advertisement

  1. Step 1 Familiarize yourself with the BIOS controls.

    Since BIOS menus don’t support mouse input, you’ll need to use the arrow keys and other computer-specific keys to navigate the BIOS. You can usually find a list of controls in the bottom-right corner of the BIOS homepage.

  2. Step 2 Change your settings carefully.

    When adjusting your BIOS settings, be sure you are certain what the settings will affect. Changing settings incorrectly can lead to system or hardware failure.

    • If you don’t know what you want to change coming into the BIOS, you probably shouldn’t change anything.
  3. Step 3 Change the boot order.

    If you want to change what device to boot from, enter the Boot menu. From here, you can designate which device the computer will attempt to boot from first. This is useful for booting from a disc or flash drive to install or repair an operating system.

    • You’ll typically use the arrow keys to go over to the Boot tab to start this process.
  4. Step 4 Create a BIOS password.

    You can create a password that will lock the computer from booting unless the correct password is entered.

    • You can always reset your BIOS password later.
  5. Step 5 Change your date and time.

    Your BIOS’s clock will dictate your Windows clock. If you replace your computer’s battery, your BIOS clock will most likely be reset.

    • According to the computer and phone repair specialists at Mobile Kangaroo, you can also change your BIOS settings to turn your computer on at a specific time. Look for «RTC Alarm» or «Power On Alarm» to change this setting.
  6. Step 6 Change fan speeds and system voltages.

    These options are for advanced users only. In this menu, you can overclock your CPU, potentially allowing for higher performance. This should be performed only if you are comfortable with your computer’s hardware.

  7. Step 7 Save and exit.

    When you are finished adjusting your settings, you will need to save and exit by using your BIOS’ «Save and Exit» key in order for your changes to take effect. When you save and restart, your computer will reboot with the new settings.

    • Check the BIOS key legend to see which key is the «Save and Exit» key.
  8. Advertisement

  1. 1

    What is the BIOS? BIOS (Basic Input/Output System) is firmware, which is embedded software that acts as an interface between the operating system software and the computer hardware. The BIOS makes sure your computer hardware is working properly before the operating system loads, and it manages the data flow between your OS, hard drives, and peripherals (your mouse, keyboard, etc.).

  2. 2

    What is the difference between BIOS and UEFI? BIOS and UEFI (Unified Extensible Firmware Interface) are both firmware and have a similar function. UEFI has replaced BIOS, but they are compatible with one another.[5]

    • Despite UEFI replacing BIOS, many people colloquially still refer to UEFI as BIOS. This can be confusing, especially with the advent of Windows 11. Windows 10 has both UEFI and Legacy BIOS modes, but Windows 11 only supports UEFI mode.[6]
  3. 3

    What happens if I change my BIOS settings? Changing your BIOS settings can make your computer faster and more stable, but it can also make your computer completely unusable. Only change BIOS settings if you’re 100% certain changing a setting won’t wreck your system.

  4. 4

    How do I reset my BIOS settings? The easiest way to reset your BIOS settings is to remove the CMOS battery. There is a coin battery on your motherboard called the CMOS battery. This battery stores your BIOS settings as well as the date and time. First, power down your computer. Then, open up your case and press down on the lever to remove the CMOS battery. After a few seconds, put the battery back in. Your BIOS settings will be reset to the default.

  5. 5

    Do I ever need to update my BIOS? While BIOS updates exist, you rarely need to install them. Updating (also called flashing) your BIOS can be risky if you don’t know what you’re doing, and can leave your computer completely unusable. You should only update your BIOS if your motherboard manufacturer recommends it, for compatibility with newer CPUs and GPUs, or if your computer is encountering an issue that is known to be fixed by a BIOS update.

  6. Advertisement

Add New Question

  • Question

    I cannot change my BIOS settings. I can still access it, but it’s all grayed out. I can only change the date and time. What can I do to fix this?

    If all your BIOS items are grayed out (but you can still access it), you probably have the administrator (or setup) password set. To unlock your BIOS, go to the Security tab , find the «Unlock Setup» (or similar) row and type your password into the box. Note that if you enter the password wrong 3 times, you will have to restart your computer, enter the BIOS and then try again.

  • Question

    How can I bypass the BIOS setup screen so that my PC will start up more quickly?

    You simply cannot. Starting BIOS is a vital part of the start up process of your computer, so you can’t skip it.

  • Question

    How do I access BIOS in Windows 8.1?

    The BIOS depends on your computer’s hardware. Try doing a Google search for how to access the BIOS for your computer.

See more answers

Ask a Question

200 characters left

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

Submit

Advertisement

Video

  • Your computer’s BIOS settings may be significantly more limited than another computer’s BIOS settings.

  • Windows 8, 10, and 11 computers tend to have motherboards that make accessing the BIOS incredibly difficult. You’ll likely have to restart and try again several times before you reach the BIOS.

  • A useful task is to check the boot order. If you have the OS on the hard drive, make sure that the hard drive is the first in the boot order. This can save a few seconds off boot time.

Thanks for submitting a tip for review!

Advertisement

  • Don’t change any settings that you aren’t sure about.

  • If you are going to flash the BIOS after, do not attempt this. If you have already changed settings, you must reset your BIOS.

Advertisement

About This Article

Thanks to all authors for creating a page that has been read 1,474,045 times.

Is this article up to date?

Понравилась статья? Поделить с друзьями:
0 0 голоса
Рейтинг статьи
Подписаться
Уведомить о
guest

0 комментариев
Старые
Новые Популярные
Межтекстовые Отзывы
Посмотреть все комментарии
  • My effectiveness для windows
  • Разный масштаб для 2 мониторов windows 10
  • Как создать сетевого пользователя windows 10
  • Как запустить программу для windows на мак
  • Как посмотреть характеристики компьютера на windows 10 про