.NET Framework を利用してファイルをロックしているプロセスを特定する
従来、.NET Framework 内でファイル ロックを保持している特定のプロセスを特定することは、大きな課題でした。 ただし、最新の Windows の進歩により、Restart Manager API はこの情報を追跡するための信頼できるメカニズムを提供するようになりました。
ソリューションの実装:
次のコード スニペットは、指定されたファイルにロックを確立しているプロセスを識別するための堅牢な方法を提供します。
<code class="language-csharp">public static List<Process> IdentifyFileLockers(string filePath) { uint sessionHandle; string sessionKey = Guid.NewGuid().ToString(); List<Process> lockedByProcesses = new List<Process>(); int result = RmStartSession(out sessionHandle, 0, sessionKey); if (result != 0) throw new Exception("Failed to initiate restart session. Unable to identify file locker."); try { const int ERROR_MORE_DATA = 234; uint processesNeeded = 0, processesReturned = 0, rebootReasons = RmRebootReasonNone; string[] resources = new string[] { filePath }; // Targeting a single resource. result = RmRegisterResources(sessionHandle, (uint)resources.Length, resources, 0, null, 0, null); if (result != 0) throw new Exception("Resource registration failed."); //Note: A race condition exists here. The initial RmGetList() call returns // the total process count. Subsequent RmGetList() calls to retrieve // actual processes might encounter an increased count. result = RmGetList(sessionHandle, out processesNeeded, ref processesReturned, null, ref rebootReasons); if (result == ERROR_MORE_DATA) { // Allocate an array to store process information. RM_PROCESS_INFO[] processInfoArray = new RM_PROCESS_INFO[processesNeeded]; processesReturned = processesNeeded; // Retrieve the process list. result = RmGetList(sessionHandle, out processesNeeded, ref processesReturned, processInfoArray, ref rebootReasons); if (result == 0) { lockedByProcesses = new List<Process>((int)processesReturned); // Iterate through results and populate the return list. for (int i = 0; i < processesReturned; i++) { try { //Attempt to get the process by ID. May fail if the process is already gone. Process p = Process.GetProcessById(processInfoArray[i].Process.dwProcessId); lockedByProcesses.Add(p); } catch (ArgumentException) { } // Ignore processes that no longer exist. } } } } finally { RmEndSession(sessionHandle); } return lockedByProcesses; }</code>
重要な注意: このコードを実行するには、特権のないレジストリ アクセスが必要です。プロセスに必要な権限がない場合は、特権プロセスに呼び出しを委任する IPC メカニズム (名前付きパイプなど) を実装することをお勧めします。
以上がRestart Manager API を使用して .NET でファイルをロックしているプロセスを特定する方法の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。