How to create dynamic variable names VBA

后端 未结 2 1729
感动是毒
感动是毒 2020-11-29 10:25

I am trying to create a dynamic number of variables in VBA based on the value in a cell. Essentially what I\'d like to end up with is something like Team1, Team2... to

相关标签:
2条回答
  • 2020-11-29 11:17

    This will get you started. But before you start I recommend watching these WiseOwlTutorials tutorial on Youtube:

    • Selecting Cells (Range, Cells, Activecell, End, Offset)
    • Worksheets, Charts and Sheets
    • Variables
    • Arrays
        Dim i, x As Integer
        x = Range("J4").Value
        Dim Team() As Integer
        Dim Manager() As String
    
        ReDim Team(1 To x) As Integer
        ReDim Manager(1 To x) As String
    
        Range("A3").Select
    
    
        For i = 1 To x
    
            Team(i) = i
    
        Next
    
    0 讨论(0)
  • 2020-11-29 11:29

    A dictionary would probably help in this case, it's designed for scripting, and while it won't let you create "dynamic" variables, the dictionary's items are dynamic, and can serve similar purpose as "variables".

    Dim Teams as Object
    Set Teams = CreateObject("Scripting.Dictionary")
    For i = 1 To x
        Teams(i) = "some value"
    Next
    

    Later, to query the values, just call on the item like:

    MsgBox Teams(i)
    

    Dictionaries contain key/value pairs, and the keys must be unique. Assigning to an existing key will overwrite its value, e.g.:

    Teams(3) = "Detroit"
    Teams(3) = "Chicago"
    Debug.Print Teams(3)  '## This will print "Chicago"
    

    You can check for existence using the .Exist method if you need to worry about overwriting or not.

    If Not Teams.Exist(3) Then
        Teams(3) = "blah"
    Else:
        'Teams(3) already exists, so maybe we do something different here
    
    End If
    

    You can get the number of items in the dictionary with the .Count method.

    MsgBox "There are " & Teams.Count & " Teams.", vbInfo
    

    A dictionary's keys must be integer or string, but the values can be any data type (including arrays, and even Object data types, like Collection, Worksheet, Application, nested Dictionaries, etc., using the Set keyword), so for instance you could dict the worksheets in a workbook:

    Dim ws as Worksheet, dict as Object
    Set dict = CreateObject("Scripting.Dictionary")
    For each ws in ActiveWorkbook.Worksheets
        Set dict(ws.Name) = ws
    Next
    
    0 讨论(0)
提交回复
热议问题