What does System.Double[*] mean

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;
}

Leave a Comment