0

プログラムを3つのレイヤーに分割しました。GUI、BL、IOを使用して、サーバーからPCにファイルを取得しようとしました。マルチスレッドとzorksで問題なく作成しましたが、IOからGUIにメッセージを送信するためにデリゲートを追加しようとすると、問題が発生します。それは次のようなことを言いました:

さまざまなスレッドを介して操作を実行することは許可されていません。要素が作成されたスレッドよりも、コントロールラベルのダウンロードの進行状況にアクセスできる別のスレッドからのものでした。

私が持っているのはこれです:

GUI

private void buttonDownload_Click(object sender, EventArgs e)
{
    download = new BL_DataTransfer(Wat.FILM, titel, this.downloadDel);
    t = new Thread(new ThreadStart(download.DownLoadFiles));    
    t.Start();
}
private void UpdateDownloadLabel(string File)
{
        labelDownloadProgress.Text = "Downloading: " + File;
}

BL

    public void DownLoadFiles()
    {
        //bestanden zoeken op server
        string map = BASEDIR + this.wat.ToString() + @"\" + this.titel + @"\";
        string[] files = IO_DataTransfer.GrapFiles(map);

        //pad omvormen
        string[] downloadFiles = this.VeranderNaarDownLoadPad(files,this.titel);
        IO_DataTransfer.DownloadFiles(@".\" + this.titel + @"\", files, downloadFiles, this.obserdelegate);
    }

IO

    public static void DownloadFiles(string map, string[] bestanden, string[] uploadPlaats, ObserverDelegate observerDelegete)
    {
        try
        {
            Directory.CreateDirectory(map);

            for (int i = 0; i < bestanden.Count(); i++)
            {
                observerDelegete(bestanden[i]);
                File.Copy(bestanden[i], uploadPlaats[i]);
            }
        }
        catch (UnauthorizedAccessException uoe) { }
        catch (FileNotFoundException fnfe) { }
        catch (Exception e) { }        
    }

デルゲート

 public delegate void ObserverDelegate(string fileName);
4

2 に答える 2

1

失敗しているのがラベルの更新であると仮定すると、イベントをUIスレッドにマーシャリングする必要があります。これを行うには、更新コードを次のように変更します。

private void UpdateDownloadLabel(string File)
{
    if (labelDownloadProgress.InvokeRequired)
    {
        labelDownloadProgress.Invoke(new Action(() =>
            {
                labelDownloadProgress.Text = "Downloading: " + File;
            });
    }
    else
    {
        labelDownloadProgress.Text = "Downloading: " + File;
    }
}

呼び出し可能な拡張メソッドを作成することになりました。これにより、アプリケーションで繰り返されるコードの量を減らすことができます。

public static void InvokeIfRequired(this Control control, Action action)
{
    if (control.InvokeRequired)
    {
        control.Invoke(action);
    }
    else
    {
        action();
    }
}

これは次のように呼ばれます:

private void UpdateDownloadLabel(string File)
{
    this.labelDownloadProgress.InvokeIfRequired(() =>
       labelDownloadProgress.Text = "Downloading: " + File);
}
于 2012-04-14T12:10:47.073 に答える
0

UpdateDownloadLabel関数が制御コードファイルにある場合は、次のようなパターンを使用します。

private void UpdateDownloadLabel(string File)
{
     this.Invoke(new Action(()=> {
             labelDownloadProgress.Text = "Downloading: " + File;
      })));
}

ラベルの何かを変更できるようにするには、UIスレッドで割り当てを呼び出す必要があります。

于 2012-04-14T12:09:30.873 に答える