有没有办法将多维数组的整行的值返回到VBA中的一维数组?
类似于arr_1dim = arr_2dim(3,:)
是一个matlab表达式,用于在一个范围内将arr_2dim
数组的第3行分配给arr_1dim
。
在Excel VBA中是否有类似的较便宜的方法?
答案 0 :(得分:13)
有一种获取二维数组的列或行的简单方法。将零分配给列以获取行,或将零分配给行以获取列,因此:
Application.WorksheetFunction.Index(array, 0, columnyouwant) /* or */
Application.WorksheetFunction.Index(array, rowyouwant, 0)
答案 1 :(得分:7)
没有VBA函数来获取行或列。你只能自己写,或者看看这里:
http://www.cpearson.com/excel/vbaarrays.htm
答案 2 :(得分:4)
这是我轻松打印多维数组的一个维度的方法。
基本上,我定义了一个新的1D数组,并用更大数组中的值填充它。
示例(3D到1D到打印输出):
Sub PrintItOut()
ReDim big_array(10,5,n) as Variant, small_array(n) as Variant
'use multidimensional array
'place multi-dimensional values into the 1D array
For i = 0 to n
small_array(i) = big_array(0, 0, i)
Next
Range(Cells(1, 1), Cells(1, n + 1)) = small_array
End Sub
我就是这样做的。我希望对于那些阅读它的人来说是有道理的。我认为这是一种非常简单的方法。
答案 3 :(得分:1)
Matlab是一个非常棒的应用程序,当涉及到矩阵,数组,向量......;)但Excel并不是那么糟糕,它也是基于矩阵的。
所以假设你不想循环。您只需使用multi-D array
函数将Transpose
输入工作表即可。
然后使用Row
将Transpose
拉到您想要的范围大小的数组中。
Dim vArr as Variant
'--output multi-D array into worksheet
Sheets(2).Range("E2").Resize(UBound(multiDArray) + 1, _
UBound(Application.Transpose(multiDArray))) = multiDArray
'--pull back the row you need: we double transpose here to get 1D. Coz single transpose
'-- results in 2D array..
vArr = WorksheetFunctions.Transpose( _
WorksheetFunctions.Transpose(Sheets(1).Range("A2:G2").Value))
要绝对动态,您可以使用多D resize
range A2:G2
array row upperbound
{{1}}动态行计数:
答案 4 :(得分:0)
由于我最近有这个问题,我想分享我的代码。我编写了一个即用型函数,您可以选择是否要提取列或行:
'*** 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