等待文件完全写入
在某些场景下,确保仅当源文件开始时才开始文件复制操作至关重要完全写好了。不幸的是,在处理大文件时,这可能具有挑战性,因为过早的复制尝试可能会导致可怕的“无法复制文件,因为它已被另一个进程使用”错误。
问题的解决方法
虽然此问题没有完整的解决方案,但存在一种解决方法,其中包括在启动复制之前定期检查文件是否仍在修改 过程。以下是完成此任务的两种方法:
方法 1
private bool IsFileLocked(FileInfo file) { FileStream stream = null; try { stream = file.Open(FileMode.Open, FileAccess.ReadWrite, FileShare.None); } catch (IOException) { return true; } finally { if (stream != null) stream.Close(); } return false; }
此方法尝试打开文件以进行独占访问,如果文件被锁定,则返回 true (即仍在由另一个线程写入或处理)。
方法2
const int ERROR_SHARING_VIOLATION = 32; const int ERROR_LOCK_VIOLATION = 33; private bool IsFileLocked(string file) { if (File.Exists(file)) { FileStream stream = null; try { stream = File.Open(file, FileMode.Open, FileAccess.ReadWrite, FileShare.None); } catch (Exception ex2) { int errorCode = Marshal.GetHRForException(ex2) & ((1 << 16) - 1); if ((ex2 is IOException) && (errorCode == ERROR_SHARING_VIOLATION || errorCode == ERROR_LOCK_VIOLATION)) { return true; } } finally { if (stream != null) stream.Close(); } } return false; }
此方法检查文件是否存在及其独占访问的可用性,如果文件被锁定(即由于共享或锁定冲突而无法访问),则返回 true。
以上是复制前如何确保文件已完全写入?的详细内容。更多信息请关注PHP中文网其他相关文章!