Abstracting and unit testing lookups in Excel tableIgnore exceptions when changing column formula in Excel...

If I delete my router's history can my ISP still provide it to my parents?

Issues with new Macs: Hardware makes them difficult for me to use. What options might be available in the future?

What's a good word to describe a public place that looks like it wouldn't be rough?

Shimano Shadow vs Non-Shadow Rear Derailleur for Commuter Bike

Strange Sign on Lab Door

Can pricing be copyrighted?

When does coming up with an idea constitute sufficient contribution for authorship?

Everyone is beautiful

What makes the Forgotten Realms "forgotten"?

Getting a UK passport renewed when you have dual nationality and a different name in your second country?

Is there any differences between “gucken” and “schauen”?

Why are the books in the Game of Thrones citadel library shelved spine inwards?

Can a person refuse a presidential pardon?

Program that converts a number to a letter of the alphabet

High pressure canisters of air as gun-less projectiles

Quenching swords in dragon blood; why?

Could flying insects re-enter the Earth's atmosphere from space without burning up?

The vanishing of sum of coefficients: symmetric polynomials

Number of FLOP (Floating Point Operations) for exponentiation

Can you earn endless XP using a Flameskull and its self-revival feature?

Eww, those bytes are gross

Approaches to criticizing short fiction

Dilemma of explaining to interviewer that he is the reason for declining second interview

What formula could mimic the following curve?



Abstracting and unit testing lookups in Excel table


Ignore exceptions when changing column formula in Excel tableUnit Testing - A Better SolutionVBA Excel Game - TestingInserting and Populating Chart with Excel VBAUnit Testing the DuckComputing and Populating Excel Table With VBAStructured Set of Dictionaries for Table LookupsNormalizing data in Excel table column with multiple valuesMS Office Suite VBA: ShellWait() and PowerShell()Unit testing a custom collection













0












$begingroup$


Background



I have a vba solution that I use to ingest investment text reports and reformat them for analysis in Excel. It works, but the macros involve a lot of direct manipulation of Excel objects, and have no unit-testing.



After finding RubberDuck, and reading several years' worth of excellent posts from @MathieuGuindon, I've decided to re-write the "brute force"-heavy solution as a way to learn these new concepts and techniques.



When ingesting from a report, I also pull additional attributes from excel tables. I'm beginning my re-write with those lookup tables. The first of which I'm submitting here.



Initial goals:




  • Programming to Interfaces not classes

  • Making Services and Proxies rather than direct access to Excel sheets and ranges

  • Using the PredeclaredId attribute to enable a Create method

  • Thorough unit testing


Apart from general review, I also have some specific questions, which I'll post following the code.





Code



IAssetTableProxy -- abstracts reference to the "physical" excel table's data rows



'@Folder("Services.Interfaces")
Option Explicit

Public Function GetAssetTableData() As Variant()
End Function


AssetTableProxy -- Implementation



'@Folder("Services.Proxies")
Option Explicit
Implements IAssetTableProxy

Public Function IAssetTableProxy_GetAssetTableData() As Variant()

Dim tblName As String
tblName = "AssetInfoTable"

IAssetTableProxy_GetAssetTableData = Worksheets(Range(tblName).Parent.Name).ListObjects(tblName).DataBodyRange.value

End Function


AssetInfo -- a class to handle the three values for each row: Desc, Ticker, Type



'@PredeclaredId
'@Folder("Services")
Option Explicit

Private Type TAssetInfo
Desc As String
Ticker As String
AssetType As String
End Type
Private this As TAssetInfo

Public Property Get Desc() As String
Desc = this.Desc
End Property

Friend Property Let Desc(ByVal value As String)
this.Desc = value
End Property

Public Property Get Ticker() As String
Ticker = this.Ticker
End Property

Friend Property Let Ticker(ByVal value As String)
this.Ticker = value
End Property

Public Property Get AssetType() As String
AssetType = this.AssetType
End Property

Friend Property Let AssetType(ByVal value As String)
this.AssetType = value
End Property

Public Property Get Self() As AssetInfo
Set Self = Me
End Property

Public Function Create(ByVal theDesc As String, ByVal theTicker As String, ByVal theAssetType As String) As AssetInfo

With New AssetInfo

.Desc = theDesc
.Ticker = theTicker
.AssetType = theAssetType

Set Create = .Self

End With

End Function


IAssetInfoService -- holds a collection of AssetInfo objects and
provides the needed lookups to data from AssetTableProxy



'@Folder("Services.Interfaces")
Option Explicit

Public Function Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService
End Function

Public Function GetAssetTypeForDesc(ByVal Desc As String) As String
End Function

Public Function GetTickerForDesc(ByVal Desc As String) As String
End Function


AssetInfoService -- implementation



'@PredeclaredId
'@Folder("Services")
Option Explicit
Option Base 1
Implements IAssetInfoService

Private Type TAssetsTable
AssetColl As Collection
End Type
Private this As TAssetsTable

Friend Property Get Assets() As Collection
Set Assets = this.AssetColl
End Property

Friend Property Set Assets(ByRef coll As Collection)
Set this.AssetColl = coll
End Property

Public Property Get Self() As IAssetInfoService
Set Self = Me
End Property

Public Function IAssetInfoService_Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService

Dim twoDArr() As Variant

twoDArr = assetTbl.GetAssetTableData

With New AssetInfoService

Dim tempAsset As AssetInfo

Dim tempColl As Collection
Set tempColl = New Collection

Dim rw As Long
For rw = 1 To UBound(twoDArr, 1)
Set tempAsset = AssetInfo.Create(twoDArr(rw, 1), twoDArr(rw, 2), twoDArr(rw, 3))

tempColl.Add tempAsset, key:=tempAsset.Desc
Next rw

Set .Assets = tempColl

Set IAssetInfoService_Create = .Self

End With

End Function


Public Function IAssetInfoService_GetAssetTypeForDesc(ByVal Desc As String) As String

Dim tempTp As String
If Exists(this.AssetColl, Desc) Then
tempTp = this.AssetColl(Desc).AssetType
Else
tempTp = "Unknown Asset"
End If
IAssetInfoService_GetAssetTypeForDesc = tempTp

End Function

Public Function IAssetInfoService_GetTickerForDesc(ByVal Desc As String) As String

Dim tempTicker As String
If Exists(this.AssetColl, Desc) Then
tempTicker = this.AssetColl(Desc).Ticker
Else
tempTicker = "Unknown Asset"
End If
IAssetInfoService_GetTickerForDesc = tempTicker

End Function

Private Function Exists(ByRef coll As Collection, ByRef key As String) As Boolean

On Error GoTo ErrHandler

coll.Item key

Exists = True
ErrHandler:
End Function




Unit Testing



AssetTableTestProxy -- proxy implementation for testing w/o dependency on actual excel table



'@Folder("Services.Proxies")
Option Explicit
Option Base 1
Implements IAssetTableProxy

Public Function IAssetTableProxy_GetAssetTableData() As Variant()

Dim twoDArr(1 To 3, 1 To 3) As Variant

twoDArr(1, 1) = "Asset1"
twoDArr(1, 2) = "Tick1"
twoDArr(1, 3) = "Type1"

twoDArr(2, 1) = "Asset2"
twoDArr(2, 2) = "Tick2"
twoDArr(2, 3) = "Type2"

twoDArr(3, 1) = "Asset3"
twoDArr(3, 2) = "Tick3"
twoDArr(3, 3) = "Type3"

IAssetTableProxy_GetAssetTableData = twoDArr

End Function


TestAssetInfoService -- Unit tests for Asset Info Service



Option Explicit
Option Private Module
'@TestModule
'@Folder("Tests")

Private Assert As Object
Private Fakes As Object
Private assetTbl As IAssetTableProxy

'@ModuleInitialize
Public Sub ModuleInitialize()
'this method runs once per module.
Set Assert = CreateObject("Rubberduck.AssertClass")
Set Fakes = CreateObject("Rubberduck.FakesProvider")
Set assetTbl = New AssetTableTestProxy
End Sub

'@ModuleCleanup
Public Sub ModuleCleanup()
'this method runs once per module.
Set Assert = Nothing
Set Fakes = Nothing
Set assetTbl = Nothing
End Sub

'@TestInitialize
Public Sub TestInitialize()
'this method runs before every test in the module.
End Sub

'@TestCleanup
Public Sub TestCleanup()
'this method runs after every test in the module.
End Sub

'@TestMethod
Public Sub GivenAssetInTable_GetTicker()
On Error GoTo TestFail

'Arrange:
Dim tbl As IAssetInfoService
Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

'Act:
Dim tick As String
tick = tbl.GetTickerForDesc("Asset2")

'Assert:
Assert.AreEqual "Tick2", tick, "Tick was: " & tick

TestExit:
Exit Sub
TestFail:
Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
End Sub

'@TestMethod
Public Sub GivenAssetInTable_GetAssetType()
On Error GoTo TestFail

'Arrange:
Dim tbl As IAssetInfoService
Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

'Act:
Dim assetTp As String
assetTp = tbl.GetAssetTypeForDesc("Asset2")


'Assert:
Assert.AreEqual "Type2", assetTp, "AssetTp was: " & assetTp

TestExit:
Exit Sub
TestFail:
Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
End Sub

'@TestMethod
Public Sub GivenAssetNotInTable_GetUnknownAssetMsg()
On Error GoTo TestFail

'Arrange:
Dim tbl As IAssetInfoService
Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

'Act:
Dim tp As String
tp = tbl.GetAssetTypeForDesc("unsub")

'Assert:
Assert.AreEqual "Unknown Asset", tp

TestExit:
Exit Sub
TestFail:
Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
End Sub




Module1 -- additional sub to play around with functions



Option Explicit

Sub TestAssetInfoTable()

Dim assetTbl As IAssetTableProxy
Dim testAssetTbl As AssetTableTestProxy

Set assetTbl = New AssetTableProxy
Set testAssetTbl = New AssetTableTestProxy

Dim assetSvc As IAssetInfoService
Dim testAssetSvc As IAssetInfoService

Set assetSvc = AssetInfoService.IAssetInfoService_Create(assetTbl)
Set testAssetSvc = AssetInfoService.IAssetInfoService_Create(testAssetTbl)

Dim tp As String
Dim tick As String

tp = assetSvc.GetAssetTypeForDesc("AMAZON COM INC (AMZN)")
tick = assetSvc.GetTickerForDesc("AMAZON COM INC (AMZN)")

MsgBox ("Real Svc: tp=" & tp & "; tick=" & tick)

tp = testAssetSvc.GetAssetTypeForDesc("Asset3")
tick = testAssetSvc.GetTickerForDesc("Asset3")

MsgBox ("Test Svc: tp=" & tp & "; tick=" & tick)


End Sub




Specific questions:




  1. I initially had the "proxy" logic in the service class. But it felt like I was duplicating too many functions when I created the AssetInfoTestService class. Breaking it out to AssetTableProxy and AssetTableTestProxy allowed me to keep only one version of the service functions. But is this carrying things (abstraction?) too far?


  2. Learning about interfaces, I believe I understand the following pieces:




    • the contract created by each Function mentioned in the interface;

    • the requisite coding of corresponding Interface_Function in the implementing class;

    • the dimm-ing of class var "as Interface"; and

    • accessing the functions with classVar.Function


      • However there seems to be an exception here. In TestAssetInfoTable I dim assetSvc as IAssetInfoService. That interface has a Create function, and in the concrete class, I have IAssetInfoService_Create defined. But when I try to call AssetInfoService.Create(…) I get a compile error that only clears when I change to AssetInfoService.IAssetInfoService_Create. What am I missing there?





  3. I see the "Option Base 1" thing. Since leave C pointers long ago, I haven't really had a religious belief one way or the other on 0- vs 1-based arrays. I went with it here, because when I began playing with the (extremely handy) multiDimArray = Range I noted the returned arrays are 1-based. And I kept screwing myself up between coding for those, and coding for my own 0-based ones. So I just opted to go all 1-based. Rubberduck Code Inspections do always throw that decision back in my face though, so let me ask here: are compelling reasons to not do that, or work arounds/tips for the multiDimArray = Range 1-based thing?










share







New contributor




jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.







$endgroup$

















    0












    $begingroup$


    Background



    I have a vba solution that I use to ingest investment text reports and reformat them for analysis in Excel. It works, but the macros involve a lot of direct manipulation of Excel objects, and have no unit-testing.



    After finding RubberDuck, and reading several years' worth of excellent posts from @MathieuGuindon, I've decided to re-write the "brute force"-heavy solution as a way to learn these new concepts and techniques.



    When ingesting from a report, I also pull additional attributes from excel tables. I'm beginning my re-write with those lookup tables. The first of which I'm submitting here.



    Initial goals:




    • Programming to Interfaces not classes

    • Making Services and Proxies rather than direct access to Excel sheets and ranges

    • Using the PredeclaredId attribute to enable a Create method

    • Thorough unit testing


    Apart from general review, I also have some specific questions, which I'll post following the code.





    Code



    IAssetTableProxy -- abstracts reference to the "physical" excel table's data rows



    '@Folder("Services.Interfaces")
    Option Explicit

    Public Function GetAssetTableData() As Variant()
    End Function


    AssetTableProxy -- Implementation



    '@Folder("Services.Proxies")
    Option Explicit
    Implements IAssetTableProxy

    Public Function IAssetTableProxy_GetAssetTableData() As Variant()

    Dim tblName As String
    tblName = "AssetInfoTable"

    IAssetTableProxy_GetAssetTableData = Worksheets(Range(tblName).Parent.Name).ListObjects(tblName).DataBodyRange.value

    End Function


    AssetInfo -- a class to handle the three values for each row: Desc, Ticker, Type



    '@PredeclaredId
    '@Folder("Services")
    Option Explicit

    Private Type TAssetInfo
    Desc As String
    Ticker As String
    AssetType As String
    End Type
    Private this As TAssetInfo

    Public Property Get Desc() As String
    Desc = this.Desc
    End Property

    Friend Property Let Desc(ByVal value As String)
    this.Desc = value
    End Property

    Public Property Get Ticker() As String
    Ticker = this.Ticker
    End Property

    Friend Property Let Ticker(ByVal value As String)
    this.Ticker = value
    End Property

    Public Property Get AssetType() As String
    AssetType = this.AssetType
    End Property

    Friend Property Let AssetType(ByVal value As String)
    this.AssetType = value
    End Property

    Public Property Get Self() As AssetInfo
    Set Self = Me
    End Property

    Public Function Create(ByVal theDesc As String, ByVal theTicker As String, ByVal theAssetType As String) As AssetInfo

    With New AssetInfo

    .Desc = theDesc
    .Ticker = theTicker
    .AssetType = theAssetType

    Set Create = .Self

    End With

    End Function


    IAssetInfoService -- holds a collection of AssetInfo objects and
    provides the needed lookups to data from AssetTableProxy



    '@Folder("Services.Interfaces")
    Option Explicit

    Public Function Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService
    End Function

    Public Function GetAssetTypeForDesc(ByVal Desc As String) As String
    End Function

    Public Function GetTickerForDesc(ByVal Desc As String) As String
    End Function


    AssetInfoService -- implementation



    '@PredeclaredId
    '@Folder("Services")
    Option Explicit
    Option Base 1
    Implements IAssetInfoService

    Private Type TAssetsTable
    AssetColl As Collection
    End Type
    Private this As TAssetsTable

    Friend Property Get Assets() As Collection
    Set Assets = this.AssetColl
    End Property

    Friend Property Set Assets(ByRef coll As Collection)
    Set this.AssetColl = coll
    End Property

    Public Property Get Self() As IAssetInfoService
    Set Self = Me
    End Property

    Public Function IAssetInfoService_Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService

    Dim twoDArr() As Variant

    twoDArr = assetTbl.GetAssetTableData

    With New AssetInfoService

    Dim tempAsset As AssetInfo

    Dim tempColl As Collection
    Set tempColl = New Collection

    Dim rw As Long
    For rw = 1 To UBound(twoDArr, 1)
    Set tempAsset = AssetInfo.Create(twoDArr(rw, 1), twoDArr(rw, 2), twoDArr(rw, 3))

    tempColl.Add tempAsset, key:=tempAsset.Desc
    Next rw

    Set .Assets = tempColl

    Set IAssetInfoService_Create = .Self

    End With

    End Function


    Public Function IAssetInfoService_GetAssetTypeForDesc(ByVal Desc As String) As String

    Dim tempTp As String
    If Exists(this.AssetColl, Desc) Then
    tempTp = this.AssetColl(Desc).AssetType
    Else
    tempTp = "Unknown Asset"
    End If
    IAssetInfoService_GetAssetTypeForDesc = tempTp

    End Function

    Public Function IAssetInfoService_GetTickerForDesc(ByVal Desc As String) As String

    Dim tempTicker As String
    If Exists(this.AssetColl, Desc) Then
    tempTicker = this.AssetColl(Desc).Ticker
    Else
    tempTicker = "Unknown Asset"
    End If
    IAssetInfoService_GetTickerForDesc = tempTicker

    End Function

    Private Function Exists(ByRef coll As Collection, ByRef key As String) As Boolean

    On Error GoTo ErrHandler

    coll.Item key

    Exists = True
    ErrHandler:
    End Function




    Unit Testing



    AssetTableTestProxy -- proxy implementation for testing w/o dependency on actual excel table



    '@Folder("Services.Proxies")
    Option Explicit
    Option Base 1
    Implements IAssetTableProxy

    Public Function IAssetTableProxy_GetAssetTableData() As Variant()

    Dim twoDArr(1 To 3, 1 To 3) As Variant

    twoDArr(1, 1) = "Asset1"
    twoDArr(1, 2) = "Tick1"
    twoDArr(1, 3) = "Type1"

    twoDArr(2, 1) = "Asset2"
    twoDArr(2, 2) = "Tick2"
    twoDArr(2, 3) = "Type2"

    twoDArr(3, 1) = "Asset3"
    twoDArr(3, 2) = "Tick3"
    twoDArr(3, 3) = "Type3"

    IAssetTableProxy_GetAssetTableData = twoDArr

    End Function


    TestAssetInfoService -- Unit tests for Asset Info Service



    Option Explicit
    Option Private Module
    '@TestModule
    '@Folder("Tests")

    Private Assert As Object
    Private Fakes As Object
    Private assetTbl As IAssetTableProxy

    '@ModuleInitialize
    Public Sub ModuleInitialize()
    'this method runs once per module.
    Set Assert = CreateObject("Rubberduck.AssertClass")
    Set Fakes = CreateObject("Rubberduck.FakesProvider")
    Set assetTbl = New AssetTableTestProxy
    End Sub

    '@ModuleCleanup
    Public Sub ModuleCleanup()
    'this method runs once per module.
    Set Assert = Nothing
    Set Fakes = Nothing
    Set assetTbl = Nothing
    End Sub

    '@TestInitialize
    Public Sub TestInitialize()
    'this method runs before every test in the module.
    End Sub

    '@TestCleanup
    Public Sub TestCleanup()
    'this method runs after every test in the module.
    End Sub

    '@TestMethod
    Public Sub GivenAssetInTable_GetTicker()
    On Error GoTo TestFail

    'Arrange:
    Dim tbl As IAssetInfoService
    Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

    'Act:
    Dim tick As String
    tick = tbl.GetTickerForDesc("Asset2")

    'Assert:
    Assert.AreEqual "Tick2", tick, "Tick was: " & tick

    TestExit:
    Exit Sub
    TestFail:
    Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
    End Sub

    '@TestMethod
    Public Sub GivenAssetInTable_GetAssetType()
    On Error GoTo TestFail

    'Arrange:
    Dim tbl As IAssetInfoService
    Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

    'Act:
    Dim assetTp As String
    assetTp = tbl.GetAssetTypeForDesc("Asset2")


    'Assert:
    Assert.AreEqual "Type2", assetTp, "AssetTp was: " & assetTp

    TestExit:
    Exit Sub
    TestFail:
    Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
    End Sub

    '@TestMethod
    Public Sub GivenAssetNotInTable_GetUnknownAssetMsg()
    On Error GoTo TestFail

    'Arrange:
    Dim tbl As IAssetInfoService
    Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

    'Act:
    Dim tp As String
    tp = tbl.GetAssetTypeForDesc("unsub")

    'Assert:
    Assert.AreEqual "Unknown Asset", tp

    TestExit:
    Exit Sub
    TestFail:
    Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
    End Sub




    Module1 -- additional sub to play around with functions



    Option Explicit

    Sub TestAssetInfoTable()

    Dim assetTbl As IAssetTableProxy
    Dim testAssetTbl As AssetTableTestProxy

    Set assetTbl = New AssetTableProxy
    Set testAssetTbl = New AssetTableTestProxy

    Dim assetSvc As IAssetInfoService
    Dim testAssetSvc As IAssetInfoService

    Set assetSvc = AssetInfoService.IAssetInfoService_Create(assetTbl)
    Set testAssetSvc = AssetInfoService.IAssetInfoService_Create(testAssetTbl)

    Dim tp As String
    Dim tick As String

    tp = assetSvc.GetAssetTypeForDesc("AMAZON COM INC (AMZN)")
    tick = assetSvc.GetTickerForDesc("AMAZON COM INC (AMZN)")

    MsgBox ("Real Svc: tp=" & tp & "; tick=" & tick)

    tp = testAssetSvc.GetAssetTypeForDesc("Asset3")
    tick = testAssetSvc.GetTickerForDesc("Asset3")

    MsgBox ("Test Svc: tp=" & tp & "; tick=" & tick)


    End Sub




    Specific questions:




    1. I initially had the "proxy" logic in the service class. But it felt like I was duplicating too many functions when I created the AssetInfoTestService class. Breaking it out to AssetTableProxy and AssetTableTestProxy allowed me to keep only one version of the service functions. But is this carrying things (abstraction?) too far?


    2. Learning about interfaces, I believe I understand the following pieces:




      • the contract created by each Function mentioned in the interface;

      • the requisite coding of corresponding Interface_Function in the implementing class;

      • the dimm-ing of class var "as Interface"; and

      • accessing the functions with classVar.Function


        • However there seems to be an exception here. In TestAssetInfoTable I dim assetSvc as IAssetInfoService. That interface has a Create function, and in the concrete class, I have IAssetInfoService_Create defined. But when I try to call AssetInfoService.Create(…) I get a compile error that only clears when I change to AssetInfoService.IAssetInfoService_Create. What am I missing there?





    3. I see the "Option Base 1" thing. Since leave C pointers long ago, I haven't really had a religious belief one way or the other on 0- vs 1-based arrays. I went with it here, because when I began playing with the (extremely handy) multiDimArray = Range I noted the returned arrays are 1-based. And I kept screwing myself up between coding for those, and coding for my own 0-based ones. So I just opted to go all 1-based. Rubberduck Code Inspections do always throw that decision back in my face though, so let me ask here: are compelling reasons to not do that, or work arounds/tips for the multiDimArray = Range 1-based thing?










    share







    New contributor




    jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
    Check out our Code of Conduct.







    $endgroup$















      0












      0








      0





      $begingroup$


      Background



      I have a vba solution that I use to ingest investment text reports and reformat them for analysis in Excel. It works, but the macros involve a lot of direct manipulation of Excel objects, and have no unit-testing.



      After finding RubberDuck, and reading several years' worth of excellent posts from @MathieuGuindon, I've decided to re-write the "brute force"-heavy solution as a way to learn these new concepts and techniques.



      When ingesting from a report, I also pull additional attributes from excel tables. I'm beginning my re-write with those lookup tables. The first of which I'm submitting here.



      Initial goals:




      • Programming to Interfaces not classes

      • Making Services and Proxies rather than direct access to Excel sheets and ranges

      • Using the PredeclaredId attribute to enable a Create method

      • Thorough unit testing


      Apart from general review, I also have some specific questions, which I'll post following the code.





      Code



      IAssetTableProxy -- abstracts reference to the "physical" excel table's data rows



      '@Folder("Services.Interfaces")
      Option Explicit

      Public Function GetAssetTableData() As Variant()
      End Function


      AssetTableProxy -- Implementation



      '@Folder("Services.Proxies")
      Option Explicit
      Implements IAssetTableProxy

      Public Function IAssetTableProxy_GetAssetTableData() As Variant()

      Dim tblName As String
      tblName = "AssetInfoTable"

      IAssetTableProxy_GetAssetTableData = Worksheets(Range(tblName).Parent.Name).ListObjects(tblName).DataBodyRange.value

      End Function


      AssetInfo -- a class to handle the three values for each row: Desc, Ticker, Type



      '@PredeclaredId
      '@Folder("Services")
      Option Explicit

      Private Type TAssetInfo
      Desc As String
      Ticker As String
      AssetType As String
      End Type
      Private this As TAssetInfo

      Public Property Get Desc() As String
      Desc = this.Desc
      End Property

      Friend Property Let Desc(ByVal value As String)
      this.Desc = value
      End Property

      Public Property Get Ticker() As String
      Ticker = this.Ticker
      End Property

      Friend Property Let Ticker(ByVal value As String)
      this.Ticker = value
      End Property

      Public Property Get AssetType() As String
      AssetType = this.AssetType
      End Property

      Friend Property Let AssetType(ByVal value As String)
      this.AssetType = value
      End Property

      Public Property Get Self() As AssetInfo
      Set Self = Me
      End Property

      Public Function Create(ByVal theDesc As String, ByVal theTicker As String, ByVal theAssetType As String) As AssetInfo

      With New AssetInfo

      .Desc = theDesc
      .Ticker = theTicker
      .AssetType = theAssetType

      Set Create = .Self

      End With

      End Function


      IAssetInfoService -- holds a collection of AssetInfo objects and
      provides the needed lookups to data from AssetTableProxy



      '@Folder("Services.Interfaces")
      Option Explicit

      Public Function Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService
      End Function

      Public Function GetAssetTypeForDesc(ByVal Desc As String) As String
      End Function

      Public Function GetTickerForDesc(ByVal Desc As String) As String
      End Function


      AssetInfoService -- implementation



      '@PredeclaredId
      '@Folder("Services")
      Option Explicit
      Option Base 1
      Implements IAssetInfoService

      Private Type TAssetsTable
      AssetColl As Collection
      End Type
      Private this As TAssetsTable

      Friend Property Get Assets() As Collection
      Set Assets = this.AssetColl
      End Property

      Friend Property Set Assets(ByRef coll As Collection)
      Set this.AssetColl = coll
      End Property

      Public Property Get Self() As IAssetInfoService
      Set Self = Me
      End Property

      Public Function IAssetInfoService_Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService

      Dim twoDArr() As Variant

      twoDArr = assetTbl.GetAssetTableData

      With New AssetInfoService

      Dim tempAsset As AssetInfo

      Dim tempColl As Collection
      Set tempColl = New Collection

      Dim rw As Long
      For rw = 1 To UBound(twoDArr, 1)
      Set tempAsset = AssetInfo.Create(twoDArr(rw, 1), twoDArr(rw, 2), twoDArr(rw, 3))

      tempColl.Add tempAsset, key:=tempAsset.Desc
      Next rw

      Set .Assets = tempColl

      Set IAssetInfoService_Create = .Self

      End With

      End Function


      Public Function IAssetInfoService_GetAssetTypeForDesc(ByVal Desc As String) As String

      Dim tempTp As String
      If Exists(this.AssetColl, Desc) Then
      tempTp = this.AssetColl(Desc).AssetType
      Else
      tempTp = "Unknown Asset"
      End If
      IAssetInfoService_GetAssetTypeForDesc = tempTp

      End Function

      Public Function IAssetInfoService_GetTickerForDesc(ByVal Desc As String) As String

      Dim tempTicker As String
      If Exists(this.AssetColl, Desc) Then
      tempTicker = this.AssetColl(Desc).Ticker
      Else
      tempTicker = "Unknown Asset"
      End If
      IAssetInfoService_GetTickerForDesc = tempTicker

      End Function

      Private Function Exists(ByRef coll As Collection, ByRef key As String) As Boolean

      On Error GoTo ErrHandler

      coll.Item key

      Exists = True
      ErrHandler:
      End Function




      Unit Testing



      AssetTableTestProxy -- proxy implementation for testing w/o dependency on actual excel table



      '@Folder("Services.Proxies")
      Option Explicit
      Option Base 1
      Implements IAssetTableProxy

      Public Function IAssetTableProxy_GetAssetTableData() As Variant()

      Dim twoDArr(1 To 3, 1 To 3) As Variant

      twoDArr(1, 1) = "Asset1"
      twoDArr(1, 2) = "Tick1"
      twoDArr(1, 3) = "Type1"

      twoDArr(2, 1) = "Asset2"
      twoDArr(2, 2) = "Tick2"
      twoDArr(2, 3) = "Type2"

      twoDArr(3, 1) = "Asset3"
      twoDArr(3, 2) = "Tick3"
      twoDArr(3, 3) = "Type3"

      IAssetTableProxy_GetAssetTableData = twoDArr

      End Function


      TestAssetInfoService -- Unit tests for Asset Info Service



      Option Explicit
      Option Private Module
      '@TestModule
      '@Folder("Tests")

      Private Assert As Object
      Private Fakes As Object
      Private assetTbl As IAssetTableProxy

      '@ModuleInitialize
      Public Sub ModuleInitialize()
      'this method runs once per module.
      Set Assert = CreateObject("Rubberduck.AssertClass")
      Set Fakes = CreateObject("Rubberduck.FakesProvider")
      Set assetTbl = New AssetTableTestProxy
      End Sub

      '@ModuleCleanup
      Public Sub ModuleCleanup()
      'this method runs once per module.
      Set Assert = Nothing
      Set Fakes = Nothing
      Set assetTbl = Nothing
      End Sub

      '@TestInitialize
      Public Sub TestInitialize()
      'this method runs before every test in the module.
      End Sub

      '@TestCleanup
      Public Sub TestCleanup()
      'this method runs after every test in the module.
      End Sub

      '@TestMethod
      Public Sub GivenAssetInTable_GetTicker()
      On Error GoTo TestFail

      'Arrange:
      Dim tbl As IAssetInfoService
      Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

      'Act:
      Dim tick As String
      tick = tbl.GetTickerForDesc("Asset2")

      'Assert:
      Assert.AreEqual "Tick2", tick, "Tick was: " & tick

      TestExit:
      Exit Sub
      TestFail:
      Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
      End Sub

      '@TestMethod
      Public Sub GivenAssetInTable_GetAssetType()
      On Error GoTo TestFail

      'Arrange:
      Dim tbl As IAssetInfoService
      Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

      'Act:
      Dim assetTp As String
      assetTp = tbl.GetAssetTypeForDesc("Asset2")


      'Assert:
      Assert.AreEqual "Type2", assetTp, "AssetTp was: " & assetTp

      TestExit:
      Exit Sub
      TestFail:
      Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
      End Sub

      '@TestMethod
      Public Sub GivenAssetNotInTable_GetUnknownAssetMsg()
      On Error GoTo TestFail

      'Arrange:
      Dim tbl As IAssetInfoService
      Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

      'Act:
      Dim tp As String
      tp = tbl.GetAssetTypeForDesc("unsub")

      'Assert:
      Assert.AreEqual "Unknown Asset", tp

      TestExit:
      Exit Sub
      TestFail:
      Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
      End Sub




      Module1 -- additional sub to play around with functions



      Option Explicit

      Sub TestAssetInfoTable()

      Dim assetTbl As IAssetTableProxy
      Dim testAssetTbl As AssetTableTestProxy

      Set assetTbl = New AssetTableProxy
      Set testAssetTbl = New AssetTableTestProxy

      Dim assetSvc As IAssetInfoService
      Dim testAssetSvc As IAssetInfoService

      Set assetSvc = AssetInfoService.IAssetInfoService_Create(assetTbl)
      Set testAssetSvc = AssetInfoService.IAssetInfoService_Create(testAssetTbl)

      Dim tp As String
      Dim tick As String

      tp = assetSvc.GetAssetTypeForDesc("AMAZON COM INC (AMZN)")
      tick = assetSvc.GetTickerForDesc("AMAZON COM INC (AMZN)")

      MsgBox ("Real Svc: tp=" & tp & "; tick=" & tick)

      tp = testAssetSvc.GetAssetTypeForDesc("Asset3")
      tick = testAssetSvc.GetTickerForDesc("Asset3")

      MsgBox ("Test Svc: tp=" & tp & "; tick=" & tick)


      End Sub




      Specific questions:




      1. I initially had the "proxy" logic in the service class. But it felt like I was duplicating too many functions when I created the AssetInfoTestService class. Breaking it out to AssetTableProxy and AssetTableTestProxy allowed me to keep only one version of the service functions. But is this carrying things (abstraction?) too far?


      2. Learning about interfaces, I believe I understand the following pieces:




        • the contract created by each Function mentioned in the interface;

        • the requisite coding of corresponding Interface_Function in the implementing class;

        • the dimm-ing of class var "as Interface"; and

        • accessing the functions with classVar.Function


          • However there seems to be an exception here. In TestAssetInfoTable I dim assetSvc as IAssetInfoService. That interface has a Create function, and in the concrete class, I have IAssetInfoService_Create defined. But when I try to call AssetInfoService.Create(…) I get a compile error that only clears when I change to AssetInfoService.IAssetInfoService_Create. What am I missing there?





      3. I see the "Option Base 1" thing. Since leave C pointers long ago, I haven't really had a religious belief one way or the other on 0- vs 1-based arrays. I went with it here, because when I began playing with the (extremely handy) multiDimArray = Range I noted the returned arrays are 1-based. And I kept screwing myself up between coding for those, and coding for my own 0-based ones. So I just opted to go all 1-based. Rubberduck Code Inspections do always throw that decision back in my face though, so let me ask here: are compelling reasons to not do that, or work arounds/tips for the multiDimArray = Range 1-based thing?










      share







      New contributor




      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.







      $endgroup$




      Background



      I have a vba solution that I use to ingest investment text reports and reformat them for analysis in Excel. It works, but the macros involve a lot of direct manipulation of Excel objects, and have no unit-testing.



      After finding RubberDuck, and reading several years' worth of excellent posts from @MathieuGuindon, I've decided to re-write the "brute force"-heavy solution as a way to learn these new concepts and techniques.



      When ingesting from a report, I also pull additional attributes from excel tables. I'm beginning my re-write with those lookup tables. The first of which I'm submitting here.



      Initial goals:




      • Programming to Interfaces not classes

      • Making Services and Proxies rather than direct access to Excel sheets and ranges

      • Using the PredeclaredId attribute to enable a Create method

      • Thorough unit testing


      Apart from general review, I also have some specific questions, which I'll post following the code.





      Code



      IAssetTableProxy -- abstracts reference to the "physical" excel table's data rows



      '@Folder("Services.Interfaces")
      Option Explicit

      Public Function GetAssetTableData() As Variant()
      End Function


      AssetTableProxy -- Implementation



      '@Folder("Services.Proxies")
      Option Explicit
      Implements IAssetTableProxy

      Public Function IAssetTableProxy_GetAssetTableData() As Variant()

      Dim tblName As String
      tblName = "AssetInfoTable"

      IAssetTableProxy_GetAssetTableData = Worksheets(Range(tblName).Parent.Name).ListObjects(tblName).DataBodyRange.value

      End Function


      AssetInfo -- a class to handle the three values for each row: Desc, Ticker, Type



      '@PredeclaredId
      '@Folder("Services")
      Option Explicit

      Private Type TAssetInfo
      Desc As String
      Ticker As String
      AssetType As String
      End Type
      Private this As TAssetInfo

      Public Property Get Desc() As String
      Desc = this.Desc
      End Property

      Friend Property Let Desc(ByVal value As String)
      this.Desc = value
      End Property

      Public Property Get Ticker() As String
      Ticker = this.Ticker
      End Property

      Friend Property Let Ticker(ByVal value As String)
      this.Ticker = value
      End Property

      Public Property Get AssetType() As String
      AssetType = this.AssetType
      End Property

      Friend Property Let AssetType(ByVal value As String)
      this.AssetType = value
      End Property

      Public Property Get Self() As AssetInfo
      Set Self = Me
      End Property

      Public Function Create(ByVal theDesc As String, ByVal theTicker As String, ByVal theAssetType As String) As AssetInfo

      With New AssetInfo

      .Desc = theDesc
      .Ticker = theTicker
      .AssetType = theAssetType

      Set Create = .Self

      End With

      End Function


      IAssetInfoService -- holds a collection of AssetInfo objects and
      provides the needed lookups to data from AssetTableProxy



      '@Folder("Services.Interfaces")
      Option Explicit

      Public Function Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService
      End Function

      Public Function GetAssetTypeForDesc(ByVal Desc As String) As String
      End Function

      Public Function GetTickerForDesc(ByVal Desc As String) As String
      End Function


      AssetInfoService -- implementation



      '@PredeclaredId
      '@Folder("Services")
      Option Explicit
      Option Base 1
      Implements IAssetInfoService

      Private Type TAssetsTable
      AssetColl As Collection
      End Type
      Private this As TAssetsTable

      Friend Property Get Assets() As Collection
      Set Assets = this.AssetColl
      End Property

      Friend Property Set Assets(ByRef coll As Collection)
      Set this.AssetColl = coll
      End Property

      Public Property Get Self() As IAssetInfoService
      Set Self = Me
      End Property

      Public Function IAssetInfoService_Create(ByRef assetTbl As IAssetTableProxy) As IAssetInfoService

      Dim twoDArr() As Variant

      twoDArr = assetTbl.GetAssetTableData

      With New AssetInfoService

      Dim tempAsset As AssetInfo

      Dim tempColl As Collection
      Set tempColl = New Collection

      Dim rw As Long
      For rw = 1 To UBound(twoDArr, 1)
      Set tempAsset = AssetInfo.Create(twoDArr(rw, 1), twoDArr(rw, 2), twoDArr(rw, 3))

      tempColl.Add tempAsset, key:=tempAsset.Desc
      Next rw

      Set .Assets = tempColl

      Set IAssetInfoService_Create = .Self

      End With

      End Function


      Public Function IAssetInfoService_GetAssetTypeForDesc(ByVal Desc As String) As String

      Dim tempTp As String
      If Exists(this.AssetColl, Desc) Then
      tempTp = this.AssetColl(Desc).AssetType
      Else
      tempTp = "Unknown Asset"
      End If
      IAssetInfoService_GetAssetTypeForDesc = tempTp

      End Function

      Public Function IAssetInfoService_GetTickerForDesc(ByVal Desc As String) As String

      Dim tempTicker As String
      If Exists(this.AssetColl, Desc) Then
      tempTicker = this.AssetColl(Desc).Ticker
      Else
      tempTicker = "Unknown Asset"
      End If
      IAssetInfoService_GetTickerForDesc = tempTicker

      End Function

      Private Function Exists(ByRef coll As Collection, ByRef key As String) As Boolean

      On Error GoTo ErrHandler

      coll.Item key

      Exists = True
      ErrHandler:
      End Function




      Unit Testing



      AssetTableTestProxy -- proxy implementation for testing w/o dependency on actual excel table



      '@Folder("Services.Proxies")
      Option Explicit
      Option Base 1
      Implements IAssetTableProxy

      Public Function IAssetTableProxy_GetAssetTableData() As Variant()

      Dim twoDArr(1 To 3, 1 To 3) As Variant

      twoDArr(1, 1) = "Asset1"
      twoDArr(1, 2) = "Tick1"
      twoDArr(1, 3) = "Type1"

      twoDArr(2, 1) = "Asset2"
      twoDArr(2, 2) = "Tick2"
      twoDArr(2, 3) = "Type2"

      twoDArr(3, 1) = "Asset3"
      twoDArr(3, 2) = "Tick3"
      twoDArr(3, 3) = "Type3"

      IAssetTableProxy_GetAssetTableData = twoDArr

      End Function


      TestAssetInfoService -- Unit tests for Asset Info Service



      Option Explicit
      Option Private Module
      '@TestModule
      '@Folder("Tests")

      Private Assert As Object
      Private Fakes As Object
      Private assetTbl As IAssetTableProxy

      '@ModuleInitialize
      Public Sub ModuleInitialize()
      'this method runs once per module.
      Set Assert = CreateObject("Rubberduck.AssertClass")
      Set Fakes = CreateObject("Rubberduck.FakesProvider")
      Set assetTbl = New AssetTableTestProxy
      End Sub

      '@ModuleCleanup
      Public Sub ModuleCleanup()
      'this method runs once per module.
      Set Assert = Nothing
      Set Fakes = Nothing
      Set assetTbl = Nothing
      End Sub

      '@TestInitialize
      Public Sub TestInitialize()
      'this method runs before every test in the module.
      End Sub

      '@TestCleanup
      Public Sub TestCleanup()
      'this method runs after every test in the module.
      End Sub

      '@TestMethod
      Public Sub GivenAssetInTable_GetTicker()
      On Error GoTo TestFail

      'Arrange:
      Dim tbl As IAssetInfoService
      Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

      'Act:
      Dim tick As String
      tick = tbl.GetTickerForDesc("Asset2")

      'Assert:
      Assert.AreEqual "Tick2", tick, "Tick was: " & tick

      TestExit:
      Exit Sub
      TestFail:
      Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
      End Sub

      '@TestMethod
      Public Sub GivenAssetInTable_GetAssetType()
      On Error GoTo TestFail

      'Arrange:
      Dim tbl As IAssetInfoService
      Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

      'Act:
      Dim assetTp As String
      assetTp = tbl.GetAssetTypeForDesc("Asset2")


      'Assert:
      Assert.AreEqual "Type2", assetTp, "AssetTp was: " & assetTp

      TestExit:
      Exit Sub
      TestFail:
      Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
      End Sub

      '@TestMethod
      Public Sub GivenAssetNotInTable_GetUnknownAssetMsg()
      On Error GoTo TestFail

      'Arrange:
      Dim tbl As IAssetInfoService
      Set tbl = AssetInfoService.IAssetInfoService_Create(assetTbl)

      'Act:
      Dim tp As String
      tp = tbl.GetAssetTypeForDesc("unsub")

      'Assert:
      Assert.AreEqual "Unknown Asset", tp

      TestExit:
      Exit Sub
      TestFail:
      Assert.Fail "Test raised an error: #" & Err.Number & " - " & Err.Description
      End Sub




      Module1 -- additional sub to play around with functions



      Option Explicit

      Sub TestAssetInfoTable()

      Dim assetTbl As IAssetTableProxy
      Dim testAssetTbl As AssetTableTestProxy

      Set assetTbl = New AssetTableProxy
      Set testAssetTbl = New AssetTableTestProxy

      Dim assetSvc As IAssetInfoService
      Dim testAssetSvc As IAssetInfoService

      Set assetSvc = AssetInfoService.IAssetInfoService_Create(assetTbl)
      Set testAssetSvc = AssetInfoService.IAssetInfoService_Create(testAssetTbl)

      Dim tp As String
      Dim tick As String

      tp = assetSvc.GetAssetTypeForDesc("AMAZON COM INC (AMZN)")
      tick = assetSvc.GetTickerForDesc("AMAZON COM INC (AMZN)")

      MsgBox ("Real Svc: tp=" & tp & "; tick=" & tick)

      tp = testAssetSvc.GetAssetTypeForDesc("Asset3")
      tick = testAssetSvc.GetTickerForDesc("Asset3")

      MsgBox ("Test Svc: tp=" & tp & "; tick=" & tick)


      End Sub




      Specific questions:




      1. I initially had the "proxy" logic in the service class. But it felt like I was duplicating too many functions when I created the AssetInfoTestService class. Breaking it out to AssetTableProxy and AssetTableTestProxy allowed me to keep only one version of the service functions. But is this carrying things (abstraction?) too far?


      2. Learning about interfaces, I believe I understand the following pieces:




        • the contract created by each Function mentioned in the interface;

        • the requisite coding of corresponding Interface_Function in the implementing class;

        • the dimm-ing of class var "as Interface"; and

        • accessing the functions with classVar.Function


          • However there seems to be an exception here. In TestAssetInfoTable I dim assetSvc as IAssetInfoService. That interface has a Create function, and in the concrete class, I have IAssetInfoService_Create defined. But when I try to call AssetInfoService.Create(…) I get a compile error that only clears when I change to AssetInfoService.IAssetInfoService_Create. What am I missing there?





      3. I see the "Option Base 1" thing. Since leave C pointers long ago, I haven't really had a religious belief one way or the other on 0- vs 1-based arrays. I went with it here, because when I began playing with the (extremely handy) multiDimArray = Range I noted the returned arrays are 1-based. And I kept screwing myself up between coding for those, and coding for my own 0-based ones. So I just opted to go all 1-based. Rubberduck Code Inspections do always throw that decision back in my face though, so let me ask here: are compelling reasons to not do that, or work arounds/tips for the multiDimArray = Range 1-based thing?








      vba excel rubberduck





      share







      New contributor




      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.










      share







      New contributor




      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.








      share



      share






      New contributor




      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.









      asked 9 mins ago









      jdapjdap

      11




      11




      New contributor




      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.





      New contributor





      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.






      jdap is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.






















          0






          active

          oldest

          votes











          Your Answer





          StackExchange.ifUsing("editor", function () {
          return StackExchange.using("mathjaxEditing", function () {
          StackExchange.MarkdownEditor.creationCallbacks.add(function (editor, postfix) {
          StackExchange.mathjaxEditing.prepareWmdForMathJax(editor, postfix, [["\$", "\$"]]);
          });
          });
          }, "mathjax-editing");

          StackExchange.ifUsing("editor", function () {
          StackExchange.using("externalEditor", function () {
          StackExchange.using("snippets", function () {
          StackExchange.snippets.init();
          });
          });
          }, "code-snippets");

          StackExchange.ready(function() {
          var channelOptions = {
          tags: "".split(" "),
          id: "196"
          };
          initTagRenderer("".split(" "), "".split(" "), channelOptions);

          StackExchange.using("externalEditor", function() {
          // Have to fire editor after snippets, if snippets enabled
          if (StackExchange.settings.snippets.snippetsEnabled) {
          StackExchange.using("snippets", function() {
          createEditor();
          });
          }
          else {
          createEditor();
          }
          });

          function createEditor() {
          StackExchange.prepareEditor({
          heartbeatType: 'answer',
          autoActivateHeartbeat: false,
          convertImagesToLinks: false,
          noModals: true,
          showLowRepImageUploadWarning: true,
          reputationToPostImages: null,
          bindNavPrevention: true,
          postfix: "",
          imageUploader: {
          brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
          contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
          allowUrls: true
          },
          onDemand: true,
          discardSelector: ".discard-answer"
          ,immediatelyShowMarkdownHelp:true
          });


          }
          });






          jdap is a new contributor. Be nice, and check out our Code of Conduct.










          draft saved

          draft discarded


















          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f214629%2fabstracting-and-unit-testing-lookups-in-excel-table%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown

























          0






          active

          oldest

          votes








          0






          active

          oldest

          votes









          active

          oldest

          votes






          active

          oldest

          votes








          jdap is a new contributor. Be nice, and check out our Code of Conduct.










          draft saved

          draft discarded


















          jdap is a new contributor. Be nice, and check out our Code of Conduct.













          jdap is a new contributor. Be nice, and check out our Code of Conduct.












          jdap is a new contributor. Be nice, and check out our Code of Conduct.
















          Thanks for contributing an answer to Code Review Stack Exchange!


          • Please be sure to answer the question. Provide details and share your research!

          But avoid



          • Asking for help, clarification, or responding to other answers.

          • Making statements based on opinion; back them up with references or personal experience.


          Use MathJax to format equations. MathJax reference.


          To learn more, see our tips on writing great answers.




          draft saved


          draft discarded














          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f214629%2fabstracting-and-unit-testing-lookups-in-excel-table%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown





















































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown

































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown







          Popular posts from this blog

          is 'sed' thread safeWhat should someone know about using Python scripts in the shell?Nexenta bash script uses...

          How do i solve the “ No module named 'mlxtend' ” issue on Jupyter?

          Pilgersdorf Inhaltsverzeichnis Geografie | Geschichte | Bevölkerungsentwicklung | Politik | Kultur...