Force close file by its path on Windows

浪子不回头ぞ 提交于 2019-11-29 08:04:21

You need to close the file handles owned by your current process. To do this:

  • Use the NtQuerySystemInformation API with undocumented SystemHandleInformation parameter.
  • This gives you an array of all handles open in the system
  • Iterate over array and select only ones which match your process PID, and are file handles
  • You can then further narrow it down using GetFinalPathNameByHandle to get paths of opened files e.g. you could select specific file names or all files with tmp in their name.
  • For any files you want to delete, call CloseHandle() to force close the handle, then of course DeleteFile() on the path.

Some code (without any error checking):

SYSTEM_HANDLE_INFORMATION* pInfo=NULL;
DWORD dwSize=0;
NTSTATUS status=0;

do
{
  // keep reallocing until buffer is big enough
  status = NtQuerySystemInformation(SystemHandleInformation, pInfo, dwSize, &dwSize);
  if (status==STATUS_INFO_LENGTH_MISMATCH)
     pInfo = (SYSTEM_HANDLE_INFORMATION*)realloc(pInfo, dwSize);
} while(status!=0);

// iterate over every handle
for (DWORD i=0; i<pInfo->dwCount; i++)
{
  if (pInfo->handles[i].ProcessID==GetCurrentProcessId() && pInfo->handles[i].HandleType==28)
  {
     TCHAR szPath[MAX_PATH];
     GetFinalPathNameByHandle((HANDLE)pInfo->handles[i].HandleNumber, szPath, MAX_PATH, 0);
     if (_tcsstr(szFilePath, L"filename_I_want_to_delete"))
     {
       CloseHandle((HANDLE)pInfo->handles[i].HandleNumber);
       DeleteFile(szPath);
     }
  }
}

This is assuming all the files you need to delete are owned by the process doing the deletion. If any of the files belong to another process you will need an extra step using DuplicateHandle() with the DUPLICATE_CLOSE_SOURCE option. Assuming you have suitable permissions this gives you the handle, which you can then close and delete the file as before.

There is some good sample code here.

After all I decieded to use IInspectable's solution, which he posts in comments. Just posting it as answer, so I could mark it

Write a launcher application that does all the cleaning up. The launcher calls CreateProcess and WaitForSingleObject on the process handle. The process handle is signaled, regardless of how the process terminates (clean shutdown, crash, etc.). You don't have to worry about force closing files either - the OS closes all handles held by a process upon process termination.

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!