What does System.Double[*] mean

无人久伴 提交于 2019-11-26 08:37:48

问题


This gem was created in some interop code which we decompiled. We can\'t figure out how to create an instance of this array, nor what type of array it is.

Looking at Type.GetElementType gives me that it is an array of type Double, but we can\'t figure out how it is different from System.Double[].


回答1:


This is a typical interop problem, the array was created in a COM Automation server. Which exposes the array as a SafeArray, the CLR automatically marshals them to a .NET array object and maintains its structure as specified in the safe array descriptor.

A System.Double[] array is a very specific kind of array in the CLR, it is a "vector array" which has its first element at index 0. These kind of arrays are heavily optimized in the CLR.

The trouble with the array you got is that it has one dimension, like a vector array, but does not have its first element at index 0. Common if you interop with code written in Visual Basic or FoxPro for example. Such code often likes to start the array at index 1. Could be anything however.

C# does not have syntax sugar to access such an array, you cannot use the [] operator to index the array. You have to use the members of the Array class, ploddingly. So:

  • Array.GetLowerBound(0) tells you where to start indexing the array
  • Array.GetUpperBound(0) tells you how far to go
  • Read an element from the array with Array.GetValue(index)

Could be easier to just copy the array:

public static double[] ConvertDoubleArray(Array arr) {
    if (arr.Rank != 1) throw new ArgumentException();
    var retval = new double[arr.GetLength(0)];
    for (int ix = arr.GetLowerBound(0); ix <= arr.GetUpperBound(0); ++ix)
        retval[ix - arr.GetLowerBound(0)] = (double)arr.GetValue(ix);
    return retval;
}


来源:https://stackoverflow.com/questions/23125903/what-does-system-double-mean

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!