How to iterate through SAFEARRAY **

前端 未结 2 1658
一生所求
一生所求 2021-01-11 17:07

how to iterate through C++ safearray pointer to pointer and access its elements.

I tried to replicate the solution posted by Lim Bio Liong http://social.msdn.micros

2条回答
  •  别那么骄傲
    2021-01-11 17:32

    Safearrays are created with SafeArrayCreate or SafeArrayCreateVector, but as you ask about iterating over a SAFEARRAY, let's say you already have a SAFEARRAY returned by some other function. One way is to use SafeArrayGetElement API which is especially convenient if you have multidimensional SAFEARRAYs, as it allows, IMO, a bit easier specifying of the indices.

    However, for vectors (unidimensional SAFEARRAY) it is faster to access data directly and iterate over the values. Here's an example:

    Let's say it's a SAFEARRAY of longs, ie. VT_I4

    // get them from somewhere. (I will assume that this is done 
    // in a way that you are now responsible to free the memory)
    SAFEARRAY* saValues = ... 
    LONG* pVals;
    HRESULT hr = SafeArrayAccessData(saValues, (void**)&pVals); // direct access to SA memory
    if (SUCCEEDED(hr))
    {
      long lowerBound, upperBound;  // get array bounds
      SafeArrayGetLBound(saValues, 1 , &lowerBound);
      SafeArrayGetUBound(saValues, 1, &upperBound);
    
      long cnt_elements = upperBound - lowerBound + 1; 
      for (int i = 0; i < cnt_elements; ++i)  // iterate through returned values
      {                              
        LONG lVal = pVals[i];   
        std::cout << "element " << i << ": value = " << lVal << std::endl;
      }       
      SafeArrayUnaccessData(saValues);
    }
    SafeArrayDestroy(saValues);
    

提交回复
热议问题