2

我正在尝试在 C++ 中调用托管 dll 上的方法。其中一个参数是字节数组,库导入将其转换为 LPSAFEARRAY。字节数组/LPSAFEARRAY 旨在成为文件的内容。如何将文件读入 LPSAFEARRAY 以传递给方法?

这是生成的库头文件中的函数签名:

virtual HRESULT STDMETHODCALLTYPE AlterDocument(
   LPSAFEARRAY document/*[in]*/, 
   LPSAFEARRAY* pRetVal/*[out,retval]*/) = 0; 

第二个参数是另一个字节数组,当它从方法返回时我需要使用它。

4

3 回答 3

1

您最初SAFEARRAYBOUND可以像 C 数组一样创建并初始化它,例如SAFEARRAYBOUND sabdBounds[2] = { {10, 0}, {20, 0\} };,然后使用SafeArrayCreate(http://msdn.microsoft.com/en-us/library/windows/desktop/ms221234(v=vs.85).aspx)获得所需的适当类型和尺寸LPSAFEARRAY

更新:

这是一段显示如何创建的代码LPSAFEARRAY,如您所见,我在创建数组之前找到了文件的大小,这样我就可以直接将数据读入其中,您还可以将文件内容存储在一些中间缓冲区,然后创建SAFEARRAYBOUND后者:

    #include <Windows.h>
    #include <fstream>
    #include <cstdlib>

    int main(int argc, char** argv)
    {
        std::streampos fileSize = 0;
        std::ifstream inputFile("file.bin", std::ios::binary);
        fileSize = inputFile.tellg();
        inputFile.seekg( 0, std::ios::end );
        fileSize = inputFile.tellg() - fileSize;
        SAFEARRAYBOUND arrayBounds[1] = { {fileSize, 0}}; // You have one dimension, with fileSize bytes
        LPSAFEARRAY safeArray = SafeArrayCreate(VT_I1, 1, arrayBounds);
        SafeArrayLock(safeArray);
        char* pData = reinterpret_cast<char*>(safeArray->pvData); // This should be the pointer to the first element in the array, fill in the data as needed
        // Do your stuff
        SafeArrayUnlock(safeArray);
        SafeArrayDestroy(safeArray);
        inputFile.close();
    }
于 2012-10-23T16:03:41.387 回答
0

如果您有 ATL:

ifstream in(...);
CComSafeArray<BYTE> fileContents;

for (ifstream::traits_type::int_type ch = in.get(); ch != ifstream::traits_type::eof(); ch = in.get())
    fileContents.Add(ch);

managedObject->AlterDocument(fileContents, ...);

如果您没有 ATL,则必须在没有 CComSafeArray 包装器的情况下直接操作 SAFEARRAY。

于 2012-10-23T16:13:50.740 回答
0

一个选项可能是获取ifstream大小,然后创建一个SAFEARRAY具有适当大小的文件来存储整个文件内容,然后read()将文件内容存储到SAFEARRAY内存中。

代码可能是这样的(在方便的ATL::CComSafeArray包装器的帮助下):

// Open the file
ifstream inFile;
inFile.open("<<filename>>", ios::binary);
if (! inFile.is_open())
   // ... error

// Get length of file
inFile.seekg(0, ios::end);
const int length = inFile.tellg();
inFile.seekg(0, ios::beg);


// Allocate SAFEARRAY of proper size.
// ATL::CComSafeArray<T> is a convenient C++ wrapper on raw SAFEARRAY structure.
CComSafeArray<BYTE> sa;
HRESULT hr = sa.Create(length);
if (FAILED(hr))
  // ... error

// Read data into the safe array
BYTE * dest = &(sa.GetAt(0));
inFile.read(reinterpret_cast<char*>(dest), length);

// Close the stream 
// (or let the destructor automatically close it when inFile goes out of scope...)
inFile.close();
于 2012-10-23T16:33:48.573 回答