Yfcnhjqrf bios bp 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, и т.д.

Все способы:

  • Настройка UEFI BIOS Utility
    • Этап 1: Вход в BIOS
    • Этап 2: Изменение параметров микропрограммы
    • Этап 3: Сохранение введённых настроек
    • Заключение
  • Вопросы и ответы: 59

Производитель ASUS одним из первых начал ставить на свои материнские платы новый тип микропрограммы под названием UEFI. Этот вариант настраивается посредством специальной оболочки UEFI BIOS Utility. О том, как ею пользоваться, мы и хотим рассказать в статье далее.

Настройка UEFI BIOS Utility

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

Этап 1: Вход в BIOS

Как правило, процедура загрузки в BIOS для UEFI в исполнении ASUS точно такая же, как для «классического» варианта: нажатие на одну клавишу или их сочетание, а также перезагрузка из-под системы, если основной на компьютере является Windows 8 или 10. Для более подробной информации обратитесь к статье по ссылке ниже

Урок: Заходим в BIOS на ASUS

Этап 2: Изменение параметров микропрограммы

Непосредственно настройка UEFI BIOS Utility касается установки приоритета загрузки, тонкой настройки работы материнской платы, CPU и оперативной памяти и конфигурации режимов охлаждения.

Прежде чем мы приступим к описанию параметров, утилиту настройки BIOS следует переключить в продвинутый режим отображения. Для этого на главном окне оболочки кликните по кнопке «Exit/Advanced Mode» и воспользуйтесь вариантом «Advanced Mode». На некоторых версиях UEFI нужный пункт представлен отдельной кнопкой внизу экрана.

Переключение UEFI BIOS Utility в продвинутый режим

Приоритет загрузки

  1. Для настройки загрузки перейдите на вкладку «Boot».
  2. Переход к параметрам загрузки во время настройки UEFI BIOS Utility

  3. Найдите блок под названием «Boot Option Priorities». В нём расположены все распознанные БИОСом накопители, с которых поддерживается загрузка. Пункт с названием «Boot Option #1» обозначает первичный накопитель – как правило, это должен быть HDD или SSD.
    Выбор приоритета загрузки во время настройки UEFI BIOS Utility

    Если требуется загрузиться с флешки, в выпадающем меню пункта можно установить именно её. Точно так же обстоят дела и с другими типами загрузочных накопителей.

  4. Также можно включить или отключить специфические опции вроде включения клавиши NumLock или переключения загрузки в режим Legacy, который требуется для установки Windows 7 и старше. Учтите, что последняя опция также может находиться на вкладке «Advanced».
    Конфигурация загрузки во время настройки UEFI BIOS Utility

    Читайте также: Включаем Legacy-режим в BIOS

  5. Параметры разгона
    Многие компьютерные энтузиасты используют разгон для улучшения производительности своих машин. Компания ASUS в своём UEFI предоставляет такие возможности, причём даже на платах, рассчитанных на среднего потребителя.

  6. Опции разгона расположены на вкладке «AI Tweaker», перейдите к ней.
  7. Открыть AI Tweaker во время настройки UEFI BIOS Utility

  8. Опция «AI Overclock Tuner» переключает режимы интеллектуального разгона, при котором ПО платы само определяет подходящие частоту и вольтаж.
  9. Настроить профиль AI Tweaker во время настройки UEFI BIOS Utility

  10. Режим работы оперативной памяти можно изменить, воспользовавшись опцией «Memory Frequency».
  11. Конфигурация частоты RAM во время настройки UEFI BIOS Utility

  12. Для улучшения производительности рекомендуется установить параметр «Performance Bias» в положение «Auto».
  13. Настройка цикличности производительности во время настройки UEFI BIOS Utility

  14. Раздел «DRAM Timing Control» позволяет вручную прописать тайминги оперативной памяти.
    Параметры таймингов RAM во время настройки UEFI BIOS Utility

    Опция «VDDCR CPU Voltage» позволяет установить пользовательский вольтаж процессора. Рекомендуем быть осторожными с изменениями значения вольтажа, поскольку слишком высокое может привести к выходу CPU из строя, а слишком низкое – значительно ухудшить производительность.

    Изменение вольтажа процессора во время настройки UEFI BIOS Utility

    Читайте также: Разгон материнской платы и ОЗУ

Параметры охлаждения
После установки более мощного кулера, охлаждающей башни или водяной системы специалисты рекомендуют перенастроить параметры работы системы устранения перегревов. В BIOS UEFI Utility проделать это можно на вкладке «Monitor».

Перейти на вкладку мониторинга во время настройки UEFI BIOS Utility

Здесь расположены данные по текущей температуре процессора и основных компонентов компьютера, а также опции управления системой вентиляторов в разделе «Q-Fan Configuration».

Контроль работы охлаждения во время настройки UEFI BIOS Utility

Обратите внимание, что при использовании водяной системы некоторые опции могут быть недоступны!

Этап 3: Сохранение введённых настроек

Для сохранения изменений в UEFI BIOS Utility требуется нажатие клавиши F10 на клавиатуре. В более новых вариантах UEFI следует воспользоваться вкладкой «Exit», на которой выбрать вариант «Save Changes & Reset».

Сохранить изменения в настройках UEFI BIOS Utility

Заключение

Как видим, настройка UEFI BIOS Utility занятие несложное: доступных опций достаточно как обычным пользователям, так и продвинутым энтузиастам.

Наша группа в TelegramПолезные советы и помощь

 
You should not be confused with UEFI, actually, it is the short form for the Unified Extensible Firmware Interface. and just after booting Windows 10 PC, you see the text written Press Del to Enter Setup which guides to open UEFI. But due to fast Startup, it is just uninterruptible. So you need to discover another way to go to UEFI BIOS in Windows 10. So we are writing the Windows 10 tips here to show you How to Access UEFI (BIOS) Settings on Windows 10. The tips are working for Windows 8 and 8.1 too.

In the coming passages, you will read How to Access UEFI (BIOS) Settings on Windows 10. Certain approaches are valid and functional for the sake of the former editions as 8 moreover 8.1 too.

You may like to Read:

How to Create Windows To Go Startup Options Shortcut Manually

How to Access UEFI (BIOS) Settings on Windows 10

Usually, you can access it as it was in Windows 8/8.1 it has a little bit different. Let us see how:

  • On Windows 10, tap on Start symbol at the taskbar.
  • Check for Settings and click the same option to navigate it on your screen.
  • On the home page, take the option Update & Security.
  • Under Update and Security, choose a Recovery option. Then you will see the Advance Startup on the right partition of the screen. And click on Restart now button.

Note: When you click Restart now tab your PC will start to boot and it may take few minutes to again restart.

  • During rebooting it will bring you to Advance Startup Screen, there hit the Troubleshoot option.
  • Under troubleshoot, tap on Advanced Options at the bottom part.
  • The screen shows 5 choices. Go along with Startup Settings.
  • On the next screen. you see a group of 7 options. Restart without doing anything. Restarting your system will bring these options allocated with function keys.
  • Your display showcases 9 different options here and for each, one function key from F1 to F9 is assigned. To choose any one of these you need to press the concerned function key. F10 brings more options and Enter takes you to OS.
  • When you press F10 anymore you get Launch Recovery Environment.

Now, you need to know that UEFI interface which was present in earlier versions has gone. But you get Launch Recovery Environment.

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,473,969 times.

Is this article up to date?

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

0 комментариев
Старые
Новые Популярные
Межтекстовые Отзывы
Посмотреть все комментарии
  • Virtual dj pro 7 для windows 7
  • Планшет ip67 на windows
  • Windows security center wsc
  • Дефрагментация файлов windows 10
  • Как установить windows 10 на планшет видео