.Net은 처리된 파일에서 파일 검색, 파일 복사 등 다양한 편리한 방법을 제공합니다. 오늘날 구현되는 것은 간단한 프로그램을 통해 파일 증분 백업을 얻는 것입니다.
가장 먼저 해야 할 일은 백업 원본 파일 경로 SourcePath와 백업 대상 파일 경로 DestinationPath를 선택한 다음 StopWatch를 사용하여 복사에 소요된 시간을 계산하는 것입니다. (참고: StopWatch를 사용하려면 using System.Diagnostics 네임스페이스를 추가해야 하며, 파일을 읽고 쓰려면 using System.IO 네임스페이스를 추가해야 합니다.)
/// <summary> /// 增量备份函数方法 /// </summary> /// <param name="SourcePath">备份源文件路径</param> /// <param name="DestinationPath">备份目标文件路径</param> public void CopyDirectory(String SourcePath, String DestinationPath){ Stopwatch watch = new Stopwatch(); watch.Start(); //开始计算时间 // 检查目标目录是否以目录分割字符结束如果不是则添加 if (DestinationPath[DestinationPath.Length - 1] != Path.DirectorySeparatorChar) { DestinationPath += Path.DirectorySeparatorChar; } //判断目标目录是否存在如果不存在则新建 if (!Directory.Exists( DestinationPath)) { Directory.CreateDirectory(DestinationPath); } // 得到源目录的文件列表,该里面是包含文件以及目录路径的一个数组 string[] fileList = Directory.GetFileSystemEntries(SourcePath); // 遍历所有的文件和目录 foreach (string SourceFilename in fileList) { string filename = Path.GetFileName(SourceFilename); //先判断文件在目标文件夹中是否存在 if (File.Exists(DestinationPath + filename)) { FileInfo oldFile = new FileInfo(SourceFilename); FileInfo newFile = new FileInfo(DestinationPath + filename); if (oldFile.LastWriteTime == newFile.LastWriteTime) { continue; //跳出本次循环 } } else { // 先当作目录处理如果存在这个目录就递归Copy该目录下面的文件 if (Directory.Exists(SourceFilename)) { CopyDirectory(SourceFilename, DestinationPath + filename); }// 否则直接Copy文件 else { File.Copy(SourceFilename, DestinationPath + filename, true); } } } watch.Stop(); //时间停止 MessageBox.Show("备份完成 耗时"+watch.Elapsed+""); //显示所消耗的时间 }
위 내용은 간단한 증분 파일 백업 프로그램을 구현한 .NET 내용입니다. PHP 중국어 웹사이트(www.php.cn)!