感谢@GlennWatson 指出,除了 ReactiveUI.WPF 包之外,我还需要添加对 Nuget 包 ReactiveUI 的引用。

我有一个 ReactiveObject View 模型,我想在其中使用 OpenFileDialog 来设置我的一个 View 模型属性 ( PdfFilePath ) 的值。
我尝试过的一切都会导致 The calling thread cannot access this object because a different thread owns it 错误。

我意识到下面的代码不符合 MVVM,因为我在 View 模型中使用了“显式引用/实例化 View 的类型”的代码,但我只是在寻找一个可以工作的最小示例,以便我可以向后工作,将 View 和 View 模型代码分开,并最终将服务传递给我的 View 模型,该服务处理整个“选择文件路径”部分。

public class ImportPdfViewModel : ReactiveObject
{
    public ImportPdfViewModel()
    {
        SelectFilePathCommand = ReactiveCommand.Create(() =>
        {
            OpenFileDialog ofd = new OpenFileDialog() { };
            //
            if (ofd.ShowDialog() == DialogResult.OK)
                PdfFilePath = ofd.FileName;
        });
    }

    private string _PdfFilePath;
    public string PdfFilePath
    {
        get => _PdfFilePath;
        set => this.RaiseAndSetIfChanged(ref _PdfFilePath, value);
    }

    public ReactiveCommand SelectFilePathCommand { get; set; }
}

正如我提到的,我尝试了很多不同的选项,包括将服务注入(inject)到我的 View 模型中,但是无论我在哪里实例化 OpenFileDialog(例如在主 View 中),我总是以相同的错误告终。

我还用谷歌搜索了“ReactiveUI”和“OpenFileDialog”,但我发现的代码似乎都不是最新的(例如使用 ReactiveCommand<Unit, Unit> ),也不与任何其他示例一致!谢谢。

更新

感谢@GlennWatson 指出,除了 ReactiveUI.WPF 包之外,我还需要添加对 Nuget 包 ReactiveUI 的引用。

一旦我添加它,代码就起作用了!

代码现在看起来像这样,我认为它符合 MVVM,使用依赖注入(inject),并使用 ReactiveUI 的最新功能/最佳实践(尽管我显然很容易受到批评!):

导入Pdf
public class ImportPdfViewModel : ReactiveObject
{
    public ImportPdfViewModel(IIOService openFileDialogService)
    {
        SelectFilePathCommand = ReactiveCommand
            .Create(() => openFileDialogService.OpenFileDialog(@"C:\Default\Path\To\File"));
        SelectFilePathCommand.Subscribe((pdfFilePath) => { PdfFilePath = pdfFilePath; });
    }

    private string _PdfFilePath;
    public string PdfFilePath
    {
        get => _PdfFilePath;
        set => this.RaiseAndSetIfChanged(ref _PdfFilePath, value);
    }

    public ReactiveCommand<Unit, String> SelectFilePathCommand { get; set; }
}

IIOService
public interface IIOService
{
    string OpenFileDialog(string defaultPath);
}

OpenFileDialogService
public class OpenFileDialogService : IIOService
{
    public string OpenFileDialog(string defaultPath)
    {
        OpenFileDialog ofd = new OpenFileDialog() { FileName = defaultPath };
        //
        if (ofd.ShowDialog() == DialogResult.OK)
        {
            return ofd.FileName;
        }
        else
        {
            return null;
        }
    }
}

更新

我也遇到了由相同丢失的包引起的以下错误...... This type of CollectionView does not support changes to its SourceCollection from a thread different from the Dispatcher thread

最佳答案

如果在 WPF 或 WinForms 平台上运行,您需要确保包含对 ReactiveUI.WPF 或 ReactiveUI.Winforms 的 nuget 引用。

关于c# - ReactiveUI WPF - 调用线程无法访问此对象,因为其他线程拥有它,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/53170592/

10-12 01:35