web-dev-qa-db-fra.com

Accéder au thread de l'interface utilisateur (principale) en toute sécurité dans WPF

J'ai une application qui met à jour ma grille de données chaque fois qu'un fichier journal que je regarde est mis à jour (ajouté avec un nouveau texte) de la manière suivante:

private void DGAddRow(string name, FunctionType ft)
    {
                ASCIIEncoding ascii = new ASCIIEncoding();

    CommDGDataSource ds = new CommDGDataSource();

    int position = 0;
    string[] data_split = ft.Data.Split(' ');
    foreach (AttributeType at in ft.Types)
    {
        if (at.IsAddress)
        {

            ds.Source = HexString2Ascii(data_split[position]);
            ds.Destination = HexString2Ascii(data_split[position+1]);
            break;
        }
        else
        {
            position += at.Size;
        }
    }
    ds.Protocol = name;
    ds.Number = rowCount;
    ds.Data = ft.Data;
    ds.Time = ft.Time;

    dataGridRows.Add(ds); 

    rowCount++;
    }
    ...
    private void FileSystemWatcher()
    {
        FileSystemWatcher watcher = new FileSystemWatcher(Environment.CurrentDirectory);
        watcher.Filter = syslogPath;
        watcher.NotifyFilter = NotifyFilters.LastAccess | NotifyFilters.LastWrite
            | NotifyFilters.FileName | NotifyFilters.DirectoryName;
        watcher.Changed += new FileSystemEventHandler(watcher_Changed);
        watcher.EnableRaisingEvents = true;
    }

    private void watcher_Changed(object sender, FileSystemEventArgs e)
    {
        if (File.Exists(syslogPath))
        {
            string line = GetLine(syslogPath,currentLine);
            foreach (CommRuleParser crp in crpList)
            {
                FunctionType ft = new FunctionType();
                if (crp.ParseLine(line, out ft))
                {
                    DGAddRow(crp.Protocol, ft);
                }
            }
            currentLine++;
        }
        else
            MessageBox.Show(UIConstant.COMM_SYSLOG_NON_EXIST_WARNING);
    }

Lorsque l'événement est déclenché pour FileWatcher, car il crée un thread séparé, lorsque j'essaie d'exécuter dataGridRows.Add (ds); pour ajouter la nouvelle ligne, le programme se bloque simplement sans aucun avertissement donné en mode débogage.

Dans Winforms, cela a été facilement résolu en utilisant la fonction Invoke mais je ne suis pas sûr de savoir comment s'y prendre dans WPF.

78
l46kok

Vous pouvez utiliser

Dispatcher.Invoke(Delegate, object[])

sur le Application (ou tout autre répartiteur UIElement).

Vous pouvez l'utiliser par exemple comme ceci:

Application.Current.Dispatcher.Invoke(new Action(() => { /* Your code here */ }));

ou

someControl.Dispatcher.Invoke(new Action(() => { /* Your code here */ }));
171
Botz3000

La meilleure façon de s'y prendre serait d'obtenir un SynchronizationContext à partir du thread d'interface utilisateur et de l'utiliser. Cette classe fait un résumé des appels à d'autres threads et facilite les tests (contrairement à l'utilisation directe de Dispatcher de WPF). Par exemple:

class MyViewModel
{
    private readonly SynchronizationContext _syncContext;

    public MyViewModel()
    {
        // we assume this ctor is called from the UI thread!
        _syncContext = SynchronizationContext.Current;
    }

    // ...

    private void watcher_Changed(object sender, FileSystemEventArgs e)
    {
         _syncContext.Post(o => DGAddRow(crp.Protocol, ft), null);
    }
}
39
Eli Arbel

Utilisez [Dispatcher.Invoke (DispatcherPriority, Delegate)]) pour modifier l'interface utilisateur à partir d'un autre thread ou de l'arrière-plan.

Étape 1 . Utilisez les espaces de noms suivants

using System.Windows;
using System.Threading;
using System.Windows.Threading;

Étape 2 . Mettez la ligne suivante où vous devez mettre à jour l'interface utilisateur

Application.Current.Dispatcher.Invoke(DispatcherPriority.Background, new ThreadStart(delegate
{
    //Update UI here
}));

Syntaxe

[BrowsableAttribute(false)]
public object Invoke(
  DispatcherPriority priority,
  Delegate method
)

Paramètres

priority

Type: System.Windows.Threading.DispatcherPriority

La priorité, par rapport aux autres opérations en attente dans la file d'attente d'événements de Dispatcher, est appelée la méthode spécifiée.

method

Type: System.Delegate

Un délégué à une méthode qui ne prend aucun argument, qui est poussé dans la file d'attente des événements Dispatcher.

Valeur de retour

Type: System.Object

La valeur de retour du délégué appelé ou null si le délégué n'a aucune valeur de retour.

Informations sur la version

Disponible depuis .NET Framework 3.0

4
Vineet Choudhary