.NET Framework를 활용하여 파일을 잠그는 프로세스 식별
전통적으로 .NET 프레임워크 내에서 파일 잠금을 유지하는 특정 프로세스를 찾아내는 것은 상당한 과제였습니다. 그러나 최신 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 중국어 웹사이트의 기타 관련 기사를 참조하세요!