5

我得到了一组Lazy物品。然后我想一口气强制“创建”它们。

void Test(IEnumerable<Lazy<MailMessage>> items){
}

通常对于一个Lazy项目,在访问其中一个成员之前不会创建包含的对象。

鉴于没有ForceCreate()方法(或类似方法),我被迫执行以下操作:

var createdItems = items.Where(a => a.Value != null && a.Value.ToString() != null).Select(a => a.Value);

用于强制ToString()创建每个项目。

有没有更简洁的方法来强制创建所有项目?

4

3 回答 3

5

要获取所有延迟初始化值的列表:

var created = items.Select(c => c.Value).ToList();
于 2013-10-04T10:23:55.710 回答
4

您需要两件事来创建所有惰性项,您需要枚举所有项(但不一定保留它们),并且您需要使用该Value属性来创建该项。

items.All(x => x.Value != null);

All方法需要查看所有值以确定结果,以便枚举所有项目(无论集合的实际类型可能是什么),并且Value在每个项目上使用该属性将导致它创建其对象。(这!= null部分只是为了使该All方法能够接受的值。)

于 2013-10-04T10:26:12.770 回答
1

看到没有 ForceCreate() 方法(或类似方法)

您始终可以为此创建ForceCreate()扩展方法Lazy<T>

public static class LazyExtensions
{
    public static Lazy<T> ForceCreate<T>(this Lazy<T> lazy)
    {
        if (lazy == null) throw new ArgumentNullException(nameof(lazy));

        _ = lazy.Value;
        return lazy;
    }
}

...伴随着ForEach扩展方法IEnumerable<T>

public static class EnumerableExtensions
{
    public static void ForEach<T>(this IEnumerable<T> enumerable, Action<T> action)
    {
        if (enumerable == null) throw new ArgumentNullException(nameof(enumerable));
        if (action == null) throw new ArgumentNullException(nameof(action));            

        foreach (var item in enumerable)
        {
            action(item);
        }
    }
}

通过结合这两种扩展方法,您可以一次性强制创建它们:

items.ForEach(x => x.ForceCreate());
于 2021-03-29T13:38:09.923 回答