VB.NET property get and cache

2k Views Asked by At

If I use in VB.NET a property get of this shape:

Public ReadOnly Property Thing(i as long) as double(,)
    Get
        Return SomeCalculation(i )
    End Get
End Property

and the code calls many times the property get with the same i (after doing the same with another iscen and so on), will the result be cached until I use a new i or will it be recalculated each time?

Thanks!

2

There are 2 best solutions below

4
On BEST ANSWER

No there is no automatic caching in VB.NET to store the result of repeated calculations. It is up to you to provide some kind of caching.

For example you can use a Dictionary

 Dim cache As Dictionary(Of Long, Double(,)) = New Dictionary(Of Long, Double(,))

Public ReadOnly Property Thing(i as long) as double(,)
    Get
       Dim result As Double(,)
       If Not cache.TryGetValue(i, result) Then
           result = SomeCalculation(i)
          cache.Add(i, result)
       End If
       Return result
   End Get
End Property

Of course,as any simple solution, there are some points to consider:

  • There is no invalidation rule (the cache remains active for the lifetime of the app)
  • It assumes that the calculation produces always the same result for the same input
0
On

You could create a class for cached values

Public Class LongCaches(Of MyType)
     Protected MyDictionary Dictionary(Of Long, MyType) = New Dictionary(Of Long, MyType)
     Public Delegate Function MyFunction(Of Long) As MyType
     Protected MyDelegate As MyFunction
     Public Calculate As Function(ByVal input As Long) As MyType
         If Not MyDictionary.ContainsKey(input) Then
             MyDictionary(input) = MyFunction.Invoke(input)
         End If
         Return MyDictionary(input)
     End Function
     Public Sub New(ByVal myfunc As MyFunction)
         MyDelegate = myfunc
     End Sub
End Caches

You will need to use it like this:

Private _MyLongCacheProperty As LongCaches(Of Double(,))
Protected ReadOnly MyLongCacheProperty(i As Long) As LongCaches
Get
    If _MyLongCacheProperty Is Nothing Then
        _MyLongCacheProperty = New LongCaches(Of Double(,))(AddressOf SomeCalculation)
    End If
    Return _MyLongCacheProperty.Calculate(i)
End Get
End Property

Notice: This code is untested, if there are syntax errors, then please comment or edit rather than downvote.