小编典典

在WPF中安全地访问UI(主)线程

c#

我有一个应用程序,该应用程序每次以以下方式更新我正在监视的日志文件(附加新文本)时都会更新我的datagrid:

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);
    }

当为FileWatcher引发事件时,因为它创建了一个单独的线程,所以当我尝试运行dataGridRows.Add(ds);
要添加新行,程序会在调试模式下崩溃而没有任何警告。

在Winforms中,可以通过使用Invoke函数轻松解决此问题,但是我不确定如何在WPF中进行此操作。


阅读 363

收藏
2020-05-19

共1个答案

小编典典

您可以使用

Dispatcher.Invoke(Delegate, object[])

Application(或任何UIElement)调度程序上。

您可以像这样使用它:

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

要么

someControl.Dispatcher.Invoke(new Action(() => { /* Your code here */ }));
2020-05-19