14

我第一次尝试使用延迟加载来初始化班级中的进度对象。但是,我收到以下错误:

字段初始值设定项不能引用非静态字段、方法或属性。

private Lazy<Progress> m_progress = new Lazy<Progress>(() =>
{
    long totalBytes = m_transferManager.TotalSize();
    return new Progress(totalBytes);
});

在 .NET 2.0 中,我可以执行以下操作,但我更愿意使用更新的方法:

private Progress m_progress;
private Progress Progress
{
    get
    {
        if (m_progress == null)
        {
            long totalBytes = m_transferManager.TotalSize();
            m_progress = new Progress(totalBytes);
        }
        return m_progress;
    }
}

任何人都可以帮忙吗?

非常感谢。

4

1 回答 1

32

该初始化程序需要this传递给捕获类,并且this不能从字段初始化程序中获得。但是,它在构造函数中可用:

private readonly Lazy<Progress> m_progress;
public MyType()
{
    m_progress = new Lazy<Progress>(() =>
    {
        long totalBytes = m_transferManager.TotalSize();
        return new Progress(totalBytes);
    });
}

就个人而言,我只是使用get访问器;p

于 2012-08-06T13:02:30.053 回答