1

在 .Net 4.5 中,我有一些列表,其中包含加载耗时的对象。加载一个包含 5000 个对象的列表大约需要 5 秒,因此对于每个循环都需要相当长的时间来执行。

由于对象的初始化一直是我想知道是否有一种类型的列表,或者有一种方法来制作这样的列表,当需要时逐步加载对象。

类似于列表的东西,它会知道有多少对象,但仅在检索对象时才实例化对象。这存在吗?或者有可能制作这样的清单吗?

我正在寻找有关如何完成此操作的建议(如果可行的话),因此 bot C# 或 VB.Net 代码会很好。因此我添加了两个标签。

编辑

我应该补充一点,我尝试过使用延迟加载,但这似乎只是延迟了列表的加载,这并不是真正的解决方案。

编辑

这是我现在正在使用的。请注意,我删除了使用延迟加载的蹩脚尝试并恢复到我昨天使用的方式(这实际上是没有Lazy对象的延迟加载)

Public Class SISOverlayItemList : Inherits SISBaseObject : Implements IEnumerable(Of SISOverlayItem)

Default Public ReadOnly Property Item(ByVal Index As Integer) As SISOverlayItem
    Get
        Return New SISOverlayItem(Me.List(Index).ID, Me.Parent)
    End Get
End Property

Public ReadOnly Property Items As List(Of SISOverlayItem)
    Get
        Dim output As New List(Of SISOverlayItem)

        Call Me.List.Items.AsParallel.ForAll(Sub(i) output.Add(New SISOverlayItem(i.ID, Me.Parent))

        Return output
    End Get
End Property

Public ReadOnly Property Parent As SISOverlay
    Get
        Return Me._Parent
    End Get
End Property

Private ReadOnly Property List As SISList
    Get
        If Me._List Is Nothing Then
            Me._List = Me.Application.Lists(Me.Name)
        End If
        Call Me.Refresh()
        Return Me._List
    End Get
End Property

Private _List As SISList
Private _Parent As SISOverlay

Public Sub New(ByVal Parent As SISOverlay)

    Me._Parent = Parent
    Me._Application = Parent.Application
    Me._Name = String.Format("Overlay_{0}_Items", Parent.Name)
    Call Me.Refresh()

End Sub

Public Sub Refresh()

    Call Me.Application.Lists(Me.Name).ScanOverlay(Me.Parent)

End Sub

Public Function GetEnumerator() As IEnumerator(Of SISOverlayItem) Implements IEnumerable(Of SISOverlayItem).GetEnumerator

    Return Me.Items.GetEnumerator()

End Function

Private Function GetEnumerator1() As IEnumerator Implements IEnumerable.GetEnumerator

    Return Me.GetEnumerator

End Function

结束类

Items将所有对象从 转换List为当前列表 ( ) 的项目的属性SISOverlayItem需要很长时间。如果实例化 an 所需的参数ID需要对存储在.SISOverlayItemApplicationList

如果可以小批量执行这些调用,那么它应该消除实例化列表中每个对象所需的长时间延迟。

4

1 回答 1

2

听起来这些物体还没有全部存在,这是需要这么长时间的一部分。如果您不需要将项目集合作为列表,那么值得研究yield return。这给出了一个IEnumerable可以查询、过滤或枚举的。

它可能看起来像这样:

public readonly IEnumerable<SISOverlayItem> Items
{
    get
    {
        SISOverlayItem myItem = intermediateList.DoSomeWork();
        yield return myItem;
    }
}

这可能不切实际。此外,如果涉及大量处理,这可能更适合作为方法而不是属性。如果您知道如何过滤集合,则可以执行以下操作:

public IEnumerable<SISOverlayItem> ProduceSelectedItems()
{
    var intermediateItems = from item in intermediateList
                            where item.isSelected
                            select item;
    foreach (var item in intermediateItems)
    {
        yield return item.DoSomeWork();
    }
}

抱歉,我手头没有 Visual Studio 可供检查,但我认为这样的事情可能会有所帮助。概述这种方法的另一个问题是here

于 2013-02-06T01:35:13.207 回答