Windows server 2012 сброс сети

Иногда при попытке удалить, переименовать или переместить какой-то файл в Windows вы можете получить сообщение, что файл занят/заблокирован/используется) другим процессом. Чаще всего имя программы, которая держит файл открытым указывается прямо в окне сообщения File Explorer. Чтобы снять блокировку файла достаточно просто закрыть эту программу. Но бывает ситуации, когда какой-то файл и библиотека используется неизвестным или системным процессом. В этом случае снять блокировку с файла немного сложнее.

Многие приложения открывают файлы в монопольном (эксклюзивном) режиме. При этом файл блокируется файловой системой от операций ввода вывода других приложений. Если вы закрываете приложение, блокировка с файла снимается.

Сообщение о блокировке файла может выглядеть по-разному. Например в следующем примере указан тип файла и с каким приложением он ассоциирован:

File/Folder in Use. The action can’t be completed because the file is open in another program. Close the folder or file and try again.
Файл уже используется. Операция не может быть завершена, так как файл или папка открыта в другой программе. Закройте файл и повторите попытку.

Файл уже используется. Операция не может быть завершена, так как файл или папка открыта в другой программе. Закройте файл и повторите попытку.

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

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

The action can’t be completed because the file is open in SYSTEM.
Файл уже используется. Действие не может быть выполнено, так как этот файл открыт в System.

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

Самый простой вариант разблокировать файл – завершить процесс, которые его заблокировал. Но это не всегда возможно, особенно на серверах.

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

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

Когда процесс в Windows открывает файл, этому потоку ввода/вывода назначается файловый дескриптор (handler). Процесс и его дочерние процессы получают доступ к файлу по этому дескриптору. Через Window API вы можете послать сигнал файловой системе на освобождение данного дескриптора и снятие блокировки с файла.

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

Как разблокировать файл с помощью Process Explorer?

ProcessExplorer это бесплатная утилита из набора системных утилит Sysinternals, которую можно скачать на сайте Microsoft (https://docs.microsoft.com/en-us/sysinternals/downloads/process-explorer). Попробуем с помощью Process Explorer найти, какой процесс заблокировал определенный файл и освободить этот файл, сбросив файловый дескриптор процесса.

  1. ProcessExplorer не требует установки, просто скачайте распакуйте и запустите с правами администратора
    procexp.exe
    ;
  2. Выберите меню Find -> Find Handle or DLL (или нажмите
    Ctrl-F
    );

    proc explorer - поиск открытых файлов

  3. Укажите имя файла, который нужно разблокировать и нажмите Search;
  4. Выберите нужный файл. Процесс, который открыл файлы будет выделен в дереве процессов. Можно завершить этот процесс, щелкнув по нему правой кнопкой и выбрав Kill Process Tree. Но можно попробовать закрыть дескриптор файла, не завершая процесс целиком. Дескриптор файла, который вы искали, автоматически выделяется в нижней панели Process Explorer. Щелкните по дескриптору правой кнопкой и выберите Close handle. Подтвердите закрытие файла.
    process explorer найти и завершить дескриптор процесса

    Если у вас в Process Explorer не отображается нижняя панель со списком открытых дескрипторов процесса, включите пункт меню View -> Lower Pane View -> Handles

Итак, вы закрыли дескриптор файла, не завершая родительский процесс. Теперь вы можете спокойно удалить или переименовать файл.

Сброс дескриптора файла с помощью утилиты Handle

Handle – это еще одна утилита командной строки из комплекта инструментов Sysinternals (доступна для скачивания на сайте Microsoft (https://docs.microsoft.com/en-us/sysinternals/downloads/handle. Она позволяет найти процесс, который заблокировал ваш файл и снять блокировку, освободив дескриптор.

  1. Скачайте и распакуйте архив с утилитой Handle;
  2. Запустите командную строку с правами администратора и выполните команду:
    handle64.exe > listproc.txt

    утилита Handle.exe

     Данная команда сохранит список открытых дескрипторов в файл. Можно вывести дескрипторы для каталога, в котором находится файл, который вы хотите изменить:
    Handle64.exe -a C:\Some\Path
    или конкретного процесса:
    handle64.exe -p winword.exe

  3. Откройте файл listproc.txt в любом текстовом редакторе и найдите строку, в которой указано имя заблокированного файла. Скопируйте ID дескриптора файла (значение в hex формате). Затем поднимитесь немного выше к разделу, в котором указан процесс, являющийся владельцем данного дескриптора и запишите его ID. Для процесса запущенного от имени системы скорее всего будет PID 4.
    список открытых дескрипторов файлов в windows

    Для некоторых системных процессов handle.exe вернет следующий текст:
    wininit.exe pid: 732 \<unable to open process>
    . Это означает, что вы не может получить информацию об этих системных процессах (даже с правами администратора). Для получения дескрипторов файлов, открытых такими процессами, запустите командную строку с правами System и попробуйте получить список дескрипторов еще раз.

  4. Теперь вернитесь в командную строку и сбросьте дескриптор файла по полученным HandleID и ProcessID. Формат команды следующий:
    handl64e.exe -c HandleID -p ProcessID
    Например:
    handl64e.exe -c 18C -p 18800

    handl64e - закрыть дескриптор открытого файла

  5. Утилита запросит подтвердить закрытие файла для указанного процесса. Подтвердите, нажав y -> enter

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

There are times when a file is open on a windows server and you need to view what user or process has it open. These open files can be locked and prevent users from editing, cause errors when upgrading software, hold up a reboot, and so on.

In this article, I will show you how to quickly view open files on Windows servers and workstations.

Both methods use built in Windows tools and work on most Windows versions (I’ve tested this on Server 2012, 2016, 2019, and Windows 10).

Video Tutorial

If you don’t like videos or want more details then continue reading.

This first method is used to view open files on a shared folder. This is the best way to troubleshoot locked files that users have left open.  If you need to see what process has a file open then check out method 2.

Step 1: Right Click the start menu and select Computer Management

Another way to access computer management is to type in compmgmt.msc into the start menu search box.

You will need to open up this console on the computer or server that has the shared folder. For example, I have a server called file1 with a shared folder named HR. To see the open files on this share I will need to open up the computer management console from the file1 server.

Step 2: Click on Shared Folders, then click on open files

I can now see that the user rallen has the HR folder and the file adpro.txt open.

If I needed to I can right click the file and select “Close Open File”. This is something that needs to be done when a file is locked.

That’s it for method 1.

If you need to check who has permission to a file or folder then check out my guide How to view NTFS effective permissions. 

Method 2: View open files using PowerShell

In this section, I’ll show you how to use the Get-SMBOpenFile cmdlet to view open files on Windows.

Example 1: Get all open files

get-smbopenfile

The above command will return the FileID, SessionID, and path.

Example 2: Display user and computer

Get-SmbOpenFile | select ClientUserName, ClientComputerName

The above command displays the user, computer, and file path for the open files.

Example 3: Get open files for a specific user

Get-SMBOpenFile –ClientUserName "adpro\robert.allen"|select ClientComputerName,Path,ClientUserName

The above command will get all open files for the user “robert.allen”

Example 4: Get open files on a specific computer

Get-SMBOpenFile -ClientComputerName 192.168.100.20 | select ClientComputerName, path

In the above example, I’m getting all open files on the computer with the IP address 192.168.100.20.

Methods 3: View open files using the resource monitor

If you need to see what process has an open file locked then use the resource monitor.

Step 1: Type Resource monitor into the start menu search box

This is the quickest way to access the Resource Monitor.

Another option is to open up the task manager, click the performance tab and then click Open Resource Monitor.

Step 2: Click on the disk tab in the resource monitor

Now that I have the resource monitor open I just need to click on the disk tab.

Now I can see all kinds of details about the disk activity such as files open, PID, read and write bytes per second, and more.

You can move the columns around so you can see the full file path.

I have a lot of disk activity you go stop the live monitoring so you can view the open file activity.

To stop the live monitoring go to monitor, then select stop monitoring.

If you liked this article, then please subscribe to our YouTube Channel for more Active Directory Tutorials.

Windows file server administrators often have to force close the shared files that are open simultaneously by multiple users.

Today, let’s see how our Support Engineers view Open Files in Windows server and how we close (reset) file sessions to unlock open files.

View Open Files on a Shared Folder on Windows Server

We can get the list of open files on Windows file server using the built-in Computer Management (

compmgmt.msc

) graphic snap-in.

First, we open the Computer Management console on file server and go to System Tools -> Shared Folders -> Open files. We can see a list of open files on current SMB server on the right side of the window.

The list contains the local path to the file, the name of the user account that opens the file, the number of locks and the mode in which the file is opened (Read or Write+Read).

Open Files in Windows Server

We can get the same list of open files using the built-in

openfiles.exe

console tool.

For example, using the following command we can get the Session ID, username and full local path to the open file:

openfiles /Query /fo csv |more

When a user remotely access a file in a shared network folder, a new SMB session is created. We can manage open files using these session IDs.

We can display a list of open files on a remote server.

For example, to list all open files in shared folders on the lon-fs01 host we use:

openfiles /Query /s lon-fs01 /fo csv

The openfiles command also allows us to view the list of locally opened files. To view it, we enable the “Maintain Objects List” option using the command:

openfiles /local on

, and reboot the server.

it is recommended to use this mode only for debugging purposes, since it can negatively affect server performance.

[Need assistance to view Open Files? We’d be happy to help]

How to Find Out Who is Locking a File in a Shared Folder?

To identify the user who opened (locked) the filename.docx file on the shared network folder on the remote server lon-fs01, we run the command:

openfiles /Query /s lon-fs01 /fo csv | find /i “filename.docx”

The /i key is to perform case-insensitive file search.

We can specify only a part of the file name.

For example, We need to find out who opened an XLSX file containing “sale_report” in its name. To find, we use the following pipe:

openfiles /Query /s lon-fs01 /fo csv | find /i “sale_report”| find /i “xlsx”

Of course, we can find this file in the Computer Management GUI, but it is less convenient.

How to Forcibly Close an Open File on a SMB Share?

To close an open file, we find it in the list of files in ‘Open File’ section and select ‘Close Open File’ in the context menu.

If there are hundreds of open files on the file server, it will not be easy to find the specific file in the console. It is more convenient to use the Openfiles command line tool.

As we have already mentioned, it returns the session ID of the open file. By using this session ID we can force close the file by resetting the SMB connection.

First, we need to find the session ID of the open file:

openfiles /Query /s lon-fs01 /fo csv | find /i “farm”| find /i “.xlsx”

Disconnect the user from file using the received SMB session ID:

openfiles /Disconnect /s lon-fs01 /ID 617909089

We can forcefully reset all sessions and unlock all files opened by a specific user:

openfiles /disconnect /s lon-fs01/u corp\mjenny /id *

Usually, force closing a file opened by a client on an SMB server may result in the loss of unsaved data. Hence, we carefully use the openfiles /disconnect command or the Close-SMBOpenFile cmdlet0.

[Need help to Close an Open File on a SMB Share? We are available 24*7]

Get-SMBOpenFile: Find and Close Open File Handlers Using PowerShell

New cmdlets to manage shares and files on an SMB server appeared in PowerShell version for Windows Server 2012/Windows 8. These cmdlets are to remotely close network connections to an open file.

We can get a list of open files using the

Get-SMBOpenFile cmdlet

.

Close-SmbOpenFile

is to close/reset the connection to a remote file.

To display a list of open files on the Windows SMB server, we run the command:

Get-SmbOpenFile | Format-List

The command returns the file ID, session ID and full file name (path).

We can display a list of open files with user and computer names (IP addresses):

Get-SmbOpenFile|select ClientUserName,ClientComputerName,Path,SessioID

We can list all files opened by a specific user:

Get-SMBOpenFile –ClientUserName “corp\bob”|select ClientComputerName,Path

or from a specific computer/server:

Get-SMBOpenFile –ClientComputerName 192.168.1.190| select ClientUserName,Path

,/pre>

We can display a list of open files by pattern. For example, to list all exe files opened from the shared folder:

Get-SmbOpenFile | Where-Object {$_.Path -Like “*.exe*”}

or open files with a specific name:

Get-SmbOpenFile | Where-Object {$_.Path -Like “*reports*”}

The Close-SmbOpenFile cmdlet is used to close the open file handler. You can close the file by ID:

Close-SmbOpenFile -FileId 4123426323239

But it is usually more convenient to close the file by name:

Get-SmbOpenFile | where {$_.Path –like “*annual2020.xlsx”} | Close-SmbOpenFile -Force

With the Out-GridView cmdlet, we can make a simple GUI form for finding and closing open files.

The following script will list open files. We should use the built-in filters in the Out-GridView table to find open files for which we want to reset the SMB sessions.

Then, we need to select the required files and click OK. As a result, the selected files will be forcibly closed.

Get-SmbOpenFile|select ClientUserName,ClientComputerName,Path,SessionID| Out-GridView -PassThru –title “Select Open Files”|Close-SmbOpenFile -Confirm:$false -Verbose

How to Close Open Files on Remote Computer Using PowerShell?

Now, let us see how our Support Engineers close Open Files on Remote Computer using PowerShell.

The Get-SMBOpenFile and Close-SmbOpenFile cmdlets can be used to remotely find and close open (locked) files.

First, we need to connect to a remote Windows SMB server via a CIM session:

$sessn = New-CIMSession –Computername lon-fs01

We can also connect to a remote server to run PorwerShell commands using the PSRemoting cmdlets:

Enter-PSSession or Invoke-Command.

The following command will find the SMB session for the open file

pubs.docx

and close the file session:

Get-SMBOpenFile -CIMSession $sessn | where {$_.Path –like “*pubs.docx”} | Close-SMBOpenFile -CIMSession $sessn

We confirm closing of the file by pressing Y. As a result, we have unlocked the file. Now, other users can open it.

To remove the confirmation of force closing a file on a SMB server, we use the -Force key.

With PowerShell, we can close SMB sessions and unlock all files that a specific user has opened.

For example, to reset all file sessions of the user bob, we run the command:

Get-SMBOpenFile -CIMSession $sessn | where {$_.ClientUserName –like “*bob*”}|Close-SMBOpenFile -CIMSession $sessn

[Get our 24/7 support. Our server specialists will keep your servers fast and secure.]

Conclusion

In short, this usually happens if the desktop software does not work as expected, the user logs off incorrectly, or when the user opened a file and forgot to close it. Today, we saw how our Supprt Engineers go about with this issue.

  • Home
  • News
  • How to Reset File Explorer? There Are 3 Quick Methods

How to Reset File Explorer? There Are 3 Quick Methods

By Amy | Follow |
Last Updated

If you don’t know how to reset File Explorer, pay attention to this post of MiniTool Partition Wizard now! It provides you with 3 ways to restore File Explorer to default settings. You can have a try!

File Explorer is a utility that comes with the Windows system, which enables you to access files and folders quickly. However, you may want to restore File Explorer to default settings for some reason. For instance, you are stuck on errors like File Explorer not responding, File Explorer search not working, File Explorer search history not showing, etc.

Tips:

Restoring the File Explorer to default settings won’t cause data loss. In other words, your files and folders won’t be deleted after you reset File Explorer. So, you don’t have to worry about losing data.

Here comes the question: how to reset File Explorer. If you also wonder that, read this post now! It lists 3 available methods for you.

Method 1: Use the Reset Folders Option

How to reset File Explorer to default view? A simple way to do that is to use the Reset Folders option in File Explorer itself.

Step 1: Hold the Windows and E keys to open File Explorer.

Step 2: In File Explorer, tap on the View tab and then click Options > Change folder and search options.

click Change folder and

Step 3: In the Folder Options window, go to the View tab and click Reset Folders. Alternatively, you can also click Restore Defaults at the bottom of the window.

Tips:

If you want to reset general settings, click General > Restore Defaults. To reset search settings, go to the Search tab and then hit Restore Defaults.

choose Reset Folders

Step 4: In the pop-up confirmation window, click Yes to confirm the operation.

confirm the operation

Method 2: Change Registry Editor Key Value

Modifying Registry Editor key is also an available way to restore File Explorer to default settings. The following steps show you how to reset File Explorer by changing Registry Editor.

Tips:

In case anything wrong happens after you edit Registry, you should back up individual Registry keys in advance. For the sake of your computer, making a Windows backup via PC cloning software like MiniTool Partition Wizard is also available.

MiniTool Partition Wizard DemoClick to Download100%Clean & Safe

Step 1: Open the Run window by pressing the Windows and R keys.

Step 2: Type regedit in the Run window and hit Enter to open Registry Editor.

Step 3: Navigate to the location below.

Computer\HKEY_CURRENT_USER\SOFTWARE\Classes\Local Settings\Software\Microsoft\Windows\Shell

Step 4: In the left sidebar, right-click the BagMRU folder and choose Delete. Likewise, right-click the Bags folder and select Delete.

Tips:

In the elevated confirmation window, click Yes to continue.

delete BagMRU and Bags folders

Method 3: Run a Batch File

How to reset File Explorer to default view? Creating and running a batch file is a good way to restore File Explorer to default settings. Actually, this method can reset the settings for all folders across your PC in addition to File Explorer.

Now, follow these steps to create and run batch files to reset folder view settings.

Step 1: Right-click the space on your desktop and choose New > Text Document.

Step 2: Name it ResetFolderViewSettings and hit Enter to save it.

Step 3: Right-click the newly created document and click Open with > Notepad.

Step 4: Copy and paste the content in the picture below.

copy and paste the content

Step 4: Tap File > Save As.

save the content

Step 5: In the Save As window, choose Desktop as the location, change file extension to .bat, select All Files in the Save as type menu, and then click Save.

save the file

Step 6: Double-click the created batch file to reset your Folder View Settings to the default view.

About The Author

Position: Columnist

Having writing articles about computer tech for a long time, I am rather experienced especially on the aspect of computer optimization, PC enhancement, as well as tech terms explanation. The habit of looking through tech forums makes me a great computer issues collector. And then, many articles related to these issues are released, which benefit plenty of users. Professional, effective, and innovative are always the pursuit of an editing worker.

Windows 10 is the most popular operating system released by Microsoft, but it’s not bug-free, and one such bug is Windows 10 File Explorer won’t open, or it will not respond when you click on it. Imagine a PC where you can’t access your files and folder, what use is it? The main cause of this issue seems to be startup programs which are conflicting with File Explorer. Disabling Windows Startup Programs can usually fix this issue. If that doesn’t help, read other solutions for said problem below.

Fix File Explorer won’t open in Windows 10

Table of Contents

Apart from startup programs, there are many other causes that can stop users from accessing File Explorer such as Scaling Slider issue, File Explorer cache problems, Windows search conflicts, etc.

Note: Make sure to create a restore point just in case something goes wrong and you need to restore your PC.

Method 1: Disable Startup Items

1. Press Ctrl + Shift + Esc to open Task Manager.

Press Ctrl + Shift + Esc to open Task Manager | Fix File Explorer won't open in Windows 10

2. Next, go to Startup Tab and Disable everything.

Go to Startup Tab and Disable everything

3. You need to go one by one as you can’t select all the services in one go.

4. Reboot your PC and see if you can access File Explorer.

5. If you’re able to open File Explorer without any problem then again go to Startup tab and start re-enabling services one by one to know which program is causing the issue.

6. Once you know the source of error, uninstall that particular application or permanently disabled that app.

Method 2: Run Windows In Clean Boot

Sometimes 3rd party software can conflict with Windows Store and therefore, you should not install any apps from the Windows apps store. Fix File Explorer won’t open in Windows 10, you need to perform a clean boot in your PC and diagnose the issue step by step.

Checkmark Selective Startup then checkmark Load system services and load startup items

Also Read: Fix This Operation Requires an Interactive Window Station

Method 3: Set Windows Scaling to 100%

1. Right-click on Desktop and select Display Settings.

2. Adjust the size of text, apps, and other items slider (scaling slider) down to 100%, then click apply.

Adjust the size of text, apps, and other items slider (scaling slider)

3. If the File Explorer works then again go back to the Display Settings.

4. Now incrementally adjust your size scaling slider to a higher value.

Change the scaling slider seems to work for many users to Fix File Explorer won’t open in Windows 10 but it really depends on user system configuration, so if this method didn’t work for you then continue. 

Method 4: Reset Apps to Microsoft Default

1. Press Windows Key + I to open Windows Settings and then click System.

Press Windows Key + I to open Settings then click on System | Fix File Explorer won't open in Windows 10

2. Now navigate to Default apps in the left window pane.

3. Scroll down and click on reset to Microsoft recommended defaults.

Click Reset to Microsoft recommended defaults.

4. Reboot your PC to save changes.

Method 5: Restart File Explorer in Task Manager

1. Press Ctrl + Shift + Esc to start Task Manager.

2. Then locate Windows Explorer in the list and then right-click on it.

right click on Windows Explorer and select End Task

3. Choose End task to close the Explorer.

4. On top of the Task Manager window, click File > Run new task.

click file then Run new task and type explorer.exe click OK | Fix File Explorer won't open in Windows 10

5. Type explorer.exe and hit Enter.

Method 6: Clear File Explorer Cache

1. Right File Explorer icon on the taskbar then click Unpin from the taskbar.

Right File Explorer icon on the taskbar then click Unpin from the taskbar

2. Press Windows Key + X then click File Explorer.

3. Next, Right-click the Quick Access and select Options.

Right-click the Quick Access and select Options | Fix File Explorer won't open in Windows 10

4. Click the Clear button under Privacy in the bottom.

5. Now right-click on a blank area on the desktop and select New > Shortcut.

Right-click on any blank/empty area on your desktop and select New followed by Shortcut

6. Type the following address in the location: C:\Windows\explorer.exe

enter the location of File Explorer in shortcut location | Fix File Explorer won't open in Windows 10

7. Click Next and then rename the file to File Explorer and click Finish.

8. Right-click the File Explorer shortcut you just created and chose Pin to taskbar.

9. If you can’t access the File Explorer via the above method, then go to the next step.

10. Navigate to  Control Panel >  Appearance & Personalization > File Explorer Options.

Click on Appearance and Personalization then click on File Explorer Options

11. Under Privacy clicks Clear File Explorer History.

Clearing File Explorer History seems to Fix File Explorer won’t open in Windows 10 but if you’re still unable to fix the Explorer issue then continue to the next method.

Method 7: Disable Windows Search

1. Press Windows Key + R then type services.msc and hit Enter.

2.  Find Windows Search in the list and right-click on it then select Properties.

Hint: Press “W” on the keyboard to easily reach Windows Update.

Right-click on the Windows Search

3. Now change the Startup type to Disabled then click OK.

set Startup type to Disabled for Windows Search service

Method 8: Run netsh and winsock reset

1. Press Windows Key + X then select Command Prompt (Admin).

2. Now type the following command and hit Enter after each one:

ipconfig /flushdns
nbtstat –r
netsh int ip reset
netsh winsock reset

resetting your TCP/IP and flushing your DNS | Fix File Explorer won't open in Windows 10

3. See if the problem resolved, if not then continue.

Method 9: Run System File Checker (SFC) and Check Disk (CHKDSK)

The sfc /scannow command (System File Checker) scans the integrity of all protected Windows system files. It replaces incorrectly corrupted, changed/modified, or damaged versions with the correct versions if possible.

1. Open Command Prompt with Administrative rights.

2. Now in the cmd window type the following command and hit Enter:

sfc /scannow

sfc scan now system file checker

3. Wait for the system file checker to finish.

4. Next, run CHKDSK from Fix File System Errors with Check Disk Utility(CHKDSK).

5. Let the above process complete to Fix File Explorer won’t open in Windows 10.

6. Again reboot your PC to save changes.

Method 10: Run DISM (Deployment Image Servicing and Management)

1. Press Windows Key + X then select Command Prompt(Admin).

2. Enter the following command in cmd and hit enter:

Important: When you DISM you need to have Windows Installation Media ready.

DISM.exe /Online /Cleanup-Image /RestoreHealth /Source:C:\RepairSource\Windows /LimitAccess

Note: Replace the C:\RepairSource\Windows with the location of your repair source

cmd restore health system

3. Press enter to run the above command and wait for the process to complete; usually, it takes 15-20 minutes.

NOTE: If the above command doesn't work then try on the below: 
Dism /Image:C:\offline /Cleanup-Image /RestoreHealth /Source:c:\test\mount\windows
Dism /Online /Cleanup-Image /RestoreHealth /Source:c:\test\mount\windows /LimitAccess

4. After the DISM process is complete, type the following in the cmd and hit Enter: sfc /scannow

5. Let System File Checker run and once it’s complete, restart your PC.

Method 11: Make sure Windows is up to date

1. Press Windows Key + I to open Settings then click on Update & Security.

Press Windows Key + I to open Settings then click on Update & security icon

2. From the left-hand side, menu clicks on Windows Update.

3. Now click on the “Check for updates” button to check for any available updates.

Check for Windows Updates | Speed Up Your SLOW Computer

4. If any updates are pending, then click on Download & Install updates.

Check for Update Windows will start downloading updates | Fix File Explorer won't open in Windows 10

5. Once the updates are downloaded, install them, and your Windows will become up-to-date.

Recommended:

  • Fix Microsoft Edge Can’t be opened using the built-in Administrator Account
  • How to Fix App can’t open using Built-in Administrator Account
  • Steam lags when downloading something [SOLVED]
  • Troubleshoot Windows Update stuck downloading updates

That’s it you have successfully Fix File Explorer won’t open in Windows 10 but if you still have any queries regarding this post feel free to ask them in the comment’s section.

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

0 комментариев
Старые
Новые Популярные
Межтекстовые Отзывы
Посмотреть все комментарии
  • Поддержка android приложений windows 11
  • Как поставить картинку на экран блокировки windows 10
  • Не определяется etoken в windows 10
  • Msi dll for windows xp
  • Кластер windows sql server