2017-04-10 224 views
0

我在解压文件时遇到了一些问题。一切正常进展条输出和提取。但是当它运行时,UI会冻结。我尝试过使用Task.Run(),但是它并不能很好地处理进度条。或者,也许我只是没有正确使用它。C#使用sevenzipsharp进行解压缩并更新无UI冻结的进度栏

有什么建议吗?

private void unzip(string path) 
{ 
    this.progressBar1.Minimum = 0; 
    this.progressBar1.Maximum = 100; 
    progressBar1.Value = 0; 
    this.progressBar1.Visible = true; 
    var sevenZipPath = Path.Combine(Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location), Environment.Is64BitProcess ? "x64" : "x86", "7z.dll"); 
    SevenZipBase.SetLibraryPath(sevenZipPath); 

    var file = new SevenZipExtractor(path + @"\temp.zip"); 
    file.Extracting += (sender, args) => 
     { 
      this.progressBar1.Value = args.PercentDone; 
     }; 
    file.ExtractionFinished += (sender, args) => 
     { 
      // Do stuff when done 
     }; 


    //Extract the stuff 
    file.ExtractArchive(path); 
} 
+0

您正在运行的主线程上的一切让进度条工作要么你需要使用后台辅助类或展示如何使用进度对象创建自己的线程 – Krishna

回答

0

你可能想看看在.NET Framework中的Progress<T>对象 - 它简化了添加进展跨线程报告。 Here is a good blog article comparing BackgroundWorker vs Task.Run()。看看他在Task.Run()例子中如何使用Progress<T>

更新 - 以下是它如何查找您的示例。我希望这会给你足够的理解,以便将来能够使用Progress<T>类型。 :d

private void unzip(string path) 
{ 
    progressBar1.Minimum = 0; 
    progressBar1.Maximum = 100; 
    progressBar1.Value = 0; 
    progressBar1.Visible = true; 

    var progressHandler = new Progress<byte>(
     percentDone => progressBar1.Value = percentDone); 
    var progress = progressHandler as IProgress<byte>; 

    Task.Run(() => 
    { 
     var sevenZipPath = Path.Combine(
      Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location), 
      Environment.Is64BitProcess ? "x64" : "x86", "7z.dll"); 

     SevenZipBase.SetLibraryPath(sevenZipPath); 


     var file = new SevenZipExtractor(path); 
     file.Extracting += (sender, args) => 
     { 
      progress.Report(args.PercentDone); 
     }; 
     file.ExtractionFinished += (sender, args) => 
     { 
      // Do stuff when done 
     }; 

     //Extract the stuff 
     file.ExtractArchive(Path.GetDirectoryName(path)); 
    }); 
} 
+0

谢谢! – Fredro