Since I had this question by myself recently, I want to share my code. I wrote a ready-to-use function where you can choose if you want a column or a row to be extracted:
'*** Modul 1, define function ***
Function getOneLine(array2D As Variant, lineIndex As Integer, choice As String) As Variant
' returning one column or row of a 2D array
' array2D: 2 dimensional Array
' lineIndex: the index of column or row, starting at 0
' choice: "c" for column or "r" for row
    Dim i, n As Integer
    Dim oneLine As Variant
    If choice = "c" Then
    n = UBound(array2D, 2)
    ReDim oneLine(n)
        For i = 0 To n
            oneLine(i) = array2D(lineIndex, i)
        Next
    getOneLine = oneLine
    End If
    If choice = "r" Then
    n = UBound(array2D, 1)
    ReDim oneLine(n)
        For i = 0 To n
            oneLine(i) = array2D(i, lineIndex)
        Next
    getOneLine = oneLine
    End If
End Function
'*** Modul 2, call function ***
Sub SomeProcess()
    ' Creating a 3x2 Matrix
    ' (In VBA-arrays the column is indexed before the rows
    '  starting at 0. So 3x2 looks like 1x2)
    Dim SomeArray(1, 2) As Variant
        SomeArray(0, 0) = 1
        SomeArray(0, 1) = 2
        SomeArray(0, 2) = 3
        SomeArray(1, 0) = 4
        SomeArray(1, 1) = 5
        SomeArray(1, 2) = 6
    Dim oneLine As Variant
        oneLine = getOneLine(SomeArray, 1, "c")
    Debug.Print oneLine(2)
        ' prints 6
End Sub