I made an immutable list class using thehead-tail idiom. If I did this correctly, it implements persistent data structures. Unfortunately it doesn't scale well as VBA is not tail recursive. Note: I use a method calledseq.Assign to handle assigning objects without usingSet. I would like to copy the objects and preserve immutability but for now; if you build a List of mutable objects and mutate one of those objects it will mutate the contents of that list and any list built from that list.
Let's get some basics out of the way.
VERSION 1.0 CLASSBEGIN MultiUse = -1 'TrueENDAttribute VB_Name = "SList"Attribute VB_GlobalNameSpace = FalseAttribute VB_Creatable = FalseAttribute VB_PredeclaredId = True ' Client code cannot use `new` KeywordAttribute VB_Exposed = TrueOption ExplicitPrivate Members
Private TypedName As StringPrivate pHead As VariantPrivate pTail As SListTypeChecking
SList is also strongly typed using the following methods and boilerplate code
''' TypeCheck:Friend Sub TypeCheck(ByVal element As Variant, ByVal source As String) If TypedName = vbNullString Then TypedName = TypeName(element) If (TypeName(element) <> TypedName) Then RaiseTypeError element, sourceEnd Sub''' RaiseTypeError:Private Sub RaiseTypeError(ByVal badItem As Variant, ByVal method As String) Err.Raise 13, method, "Element is of type " & TypeName(badItem) & _ ", not " & TypedName & "."End SubPrivate Sub RaiseEmptyError(ByVal method As String) Err.Raise 9, TypeName(Me) & "." & method, method & " cannot be called on Empty List!"End SubPrivate Sub RaiseOutOfRangeError(Byval method As String) Err.Raise 9, TypeName(Me) & "." & method, method & " Index is out of range!"End SubFriend Methods (mutability)
These methods violate mutability and should only be usedcarefully in constructor functions.
Friend Property Let Head(ByVal x As Variant) TypeCheck x, "Head" seq.Assign pHead, xEnd PropertyFriend Property Set refEnd(ByRef that As SList) If pTail Is Nothing Then Set pTail = that ElseIf pTail.IsNil Then Set pTail = that Else Set pTail.refEnd = that End IfEnd PropertyNoterefEnd goes to theentire end of the list.
Iteration
The collection must bepersistent in order to iterate over it. I chose to keep it static to confine it to this function but that is up for debate.
Public Property Get NewEnum() As IUnknownAttribute NewEnum.VB_UserMemId = -4 Static tempCollection As Collection If tempCollection Is Nothing Then Set tempCollection = ToCollection Set NewEnum = tempCollection.[_NewEnum]End PropertyConstructors
Client Code will need to use these to create a newSList object
Basic
Public Function Nil() As SList Set Nil = New SListEnd FunctionPublic Function Node(ByVal elem As Variant) As SList Set Node = Cons(elem, Nil)End FunctionPublic Function Cons(ByVal hd As Variant, ByRef tl As SList) As SList If Not tl.IsNil Then tl.TypeCheck hd, "Cons" Dim made As New SList made.Head = hd Set made.refEnd = tl Set Cons = madeEnd FunctionConvenience
Public Function Create(ParamArray args() As Variant) As SList Set Create = Copy(args)End FunctionPublic Function Copy(ByVal sequence As Variant) As SList Dim result As SList Set result = Nil Dim element As Variant For Each element In sequence If result.IsNil Then Set result = Node(element) Else Set result.refEnd = Node(element) End If Next Set Copy = resultEnd FunctionCopy is essential because I use it to copy existing instances as shown in the followingAppend andConcat.
Builders
I am unsure if my usage ofCopy andrefEnd as shortcuts is acceptable.
Public Function Prepend(ByVal elem As Variant) As SList TypeCheck elem, "Prepend" Set Prepend = Cons(elem, Me)End FunctionPublic Function Append(ByVal elem As Variant) As SList TypeCheck elem, "Append" Set Append = Copy(Me) Set Append.refEnd = Node(elem)End FunctionPublic Function Concat(ByVal that As SList) As SList TypeCheck that.Head, "Concat" Set Concat = Copy(that) Set Concat.refEnd = MeEnd FunctionProperties
Primitive
Public Property Get IsNil() As Boolean IsNil = IsEmpty(pHead)End PropertyPublic Property Get Head() As Variant If IsNil Then RaiseEmptyError "Head" Else seq.Assign Head, pHead End IfEnd PropertyPublic Property Get Tail() As SList If IsNil Then RaiseEmptyError "Tail" Else Set Tail = pTail End IfEnd PropertyNon Primitive
Public Property Get Last() As Variant If IsNil Then RaiseEmptyError "Last" ElseIf pTail.IsNil Then seq.Assign Last, pHead Else seq.Assign Last, pTail.Last End IfEnd PropertyPublic Property Get Init() As SList If IsNil Then RaiseEmptyError "Init" ElseIf pTail.IsNil Then Set Init = Nil Else Set Init = pTail.Init.Prepend(pHead) End IfEnd PropertyPublic Property Get Length() As Long If IsNil Then Length = 0 Else Length = 1 + pTail.Length End IfEnd PropertyPublic Property Get Max() As Variant If IsNil Then Set Max = Nothing ElseIf pTail.IsNil Then seq.Assign Max, pHead Else Dim other As Variant seq.Assign other, pTail.Max seq.Assign Max, IIf(pHead > other, pHead, other) End IfEnd PropertyPublic Property Get Min() As Variant If IsNil Then Set Min = Nothing ElseIf pTail.IsNil Then seq.Assign Min, pHead Else Dim other As Variant seq.Assign other, pTail.Min seq.Assign Min, IIf(pHead < other, pHead, other) End IfEnd PropertyPublic Property Get Reverse() As SList If pTail.IsNil Then Set Reverse = Me Else Set Reverse = Node(pHead).Concat(pTail.Reverse) End IfEnd PropertyPublic Property Get ToArray() As Variant() Dim size As Long size = Length Dim a() As Variant ReDim a(size - 1) As Variant BuildArray a, 0 ToArray = aEnd Sub Friend Sub BuildArray(ByRef a() As Variant, ByVal index As Long) If Not IsNil Then a(index) = pHead pTail.BuildArray a, index + 1 End If End SubPublic Property Get ToCollection() As Collection Dim result As New Collection Dim elem As Variant For Each elem In ToArray result.Add elem Next elem Set ToCollection = resultEnd PropertyFunctions
Public Property Get Item(ByVal n As Long) As Variant If n = 0 Then seq.Assign Item, pHead ElseIf pTail.IsNil Then RaiseOutOfRangeError("Item") Else seq.Assign Item, pTail.Item(n - 1) End IfEnd PropertyPublic Function Take(ByVal n As Long) As SList If IsNil Or n <= 0 Then Set Take = Nil Else Set Take = pTail.Take(n - 1).Prepend(pHead) End IfEnd FunctionPublic Function TakeLeft(ByVal n As Long) As SList Set TakeLeft = Drop(Length - n)End FunctionPublic Function Drop(ByVal n As Long) As SList If n <= 0 Or IsNil Then Set Drop = Me Else Set Drop = pTail.Drop(n - 1) End IfEnd FunctionPublic Function DropRight(ByVal n As Long) As SList Set DropRight = Take(Length - n)End FunctionPublic Function DropAt(ByVal n As Long) As SList Set DropAt = Drop(n).Concat(Take(n - 1))End FunctionPublic Function Contains(ByVal elem As Variant) As Boolean If IsNil Then Contains = False ElseIf elem = pHead Then Contains = True Else Contains = pTail.Contains(elem) End IfEnd FunctionPublic Function IndexOf(ByVal elem As Variant) As Long If pHead = elem Then IndexOf = 0 ElseIf pTail.IsNil Then IndexOf = -1 Else Dim index As Long index = pTail.IndexOf(elem) IndexOf = IIf(index = -1, -1, 1 + index) End IfEnd FunctionPublic Function LastIndexOf(ByVal elem As Variant) As Long LastIndexOf = (Length - 1) - Reverse.IndexOf(elem)End Function- \$\begingroup\$These methods violate mutability - only from within thesame VBAProject; put this class in an Excel add-in (say, VBToolBox.xlam), and the client code that references it will not be able to call the
Friendmembers ;)\$\endgroup\$Mathieu Guindon– Mathieu Guindon2014-11-03 22:43:45 +00:00CommentedNov 3, 2014 at 22:43 - 1\$\begingroup\$Nicely laid out question ++\$\endgroup\$RubberDuck– RubberDuck2014-11-04 01:38:33 +00:00CommentedNov 4, 2014 at 1:38
- 2\$\begingroup\$@Mat'sMug that was the idea of making them
Friend.\$\endgroup\$cheezsteak– cheezsteak2014-11-04 14:20:06 +00:00CommentedNov 4, 2014 at 14:20
2 Answers2
I like that you prefer to use VBA's built in runtime errors,but...
Private Sub RaiseEmptyError(ByVal method As String) Err.Raise 9, TypeName(Me) & "." & method, method & " cannot be called on Empty List!"End SubPrivate Sub RaiseOutOfRangeError(Byval method As String) Err.Raise 9, TypeName(Me) & "." & method, method & " Index is out of range!"End Sub
You're raising two different errors with the same error number. As someone using this list, I would probably want to handle those two errors differently, but I would need two different error numbers to do so. I encourage you to define a custom error for the list being empty. The out of range error is fine as it is.
The code is neat and clean as far as I can tell. Variables and Methods/Properties have meaningful and clear names mostly. You overshorted some of them and I'm a little confused by what theNil Function is, but I suspect someone familiar with Python wouldn't be. (Okay, I'm not really, but I had to read the code to understand that it returns an empty list).
This could be cleared up with some documentation I suspect. A few comments explaining what each procedure does would go a long way. Perhaps even someItem.VB_Description attributes so they show up in intellisense too? That's always nice to have when you're working with an unfamiliar class or library. Of course, don't get carried away. You don't need to tell us whatContains does, but it would be nice to understand whatPublic Function Cons is. (Again, I know it's a constructor, but you could never tell that from it's name alone.)
- \$\begingroup\$Please don't consider it a full review. I don't understand linked lists or immutability all that well.\$\endgroup\$RubberDuck– RubberDuck2014-11-06 20:31:17 +00:00CommentedNov 6, 2014 at 20:31
- \$\begingroup\$It's not a Python List which is really a mutable collection. This is supposed to be the genericlist, common in functional programming languages.\$\endgroup\$cheezsteak– cheezsteak2014-11-07 16:24:48 +00:00CommentedNov 7, 2014 at 16:24
- \$\begingroup\$Sorry. Bad assumption on my part. I know that a lot of your code is meant to mimic Python classes. Oops.\$\endgroup\$RubberDuck– RubberDuck2014-11-07 16:28:02 +00:00CommentedNov 7, 2014 at 16:28
- \$\begingroup\$++ the documentation and sample use case would be really helpful I think.\$\endgroup\$user28366– user283662014-11-10 10:25:16 +00:00CommentedNov 10, 2014 at 10:25
I know it's just a comment but generally
Attribute VB_PredeclaredId = True ' Client code cannot use `new` KeywordIt doesn't mean that the client code cannot use the new keyword. Changing the attribute totrue means that this class can also act like a regular standard coding module. Which makes it an imitation of astatic class. The client code can still use thenew keyword just fine:
Dim s As SListSet s = New SList' orDim sNew As New SListDue to the fact that you actuallycan use thenew keyword yourNil function becomes obsolete. For example in yourCopy function you have this:
Dim result As SListSet result = NilWhich seems to be nothing else but a wrapper forSet result = new SList.
Also, yourToArray() throws aSubscript out of Range runtime error ifSList is empty. You may want to handle that by checking eithersize variable orLength property is at least> 0. YourToCollection would also be affected (would fail) since it usesToArray call in thefor each loop.
Trying to call as.Item(0) throws a variable not declared error for theseq variable. Where is that dimensioned and initialized in your code?
- \$\begingroup\$I think the intent is to keep this in a "library" project, so it needs a factory method of some sort. Setting PredeclaredId=True allows for
Nilto act as a proxy of sorts.\$\endgroup\$RubberDuck– RubberDuck2014-11-10 10:34:43 +00:00CommentedNov 10, 2014 at 10:34 - 2\$\begingroup\$@RubberDuck maybe you're right. I based my review off
I made an immutable list class.\$\endgroup\$user28366– user283662014-11-10 10:54:42 +00:00CommentedNov 10, 2014 at 10:54 - \$\begingroup\$
seq.Assignis an external method to handle assigning an object or a datatype to a variant as explained in the first paragraph.if isObject(y) Then set x=y else x=y endif\$\endgroup\$cheezsteak– cheezsteak2014-11-10 14:36:10 +00:00CommentedNov 10, 2014 at 14:36
You mustlog in to answer this question.
Explore related questions
See similar questions with these tags.

