5

没有 C++ 经验,所以在这里请求一些帮助。我得到的是一个 .net dll,我正在编写一个包装器,以便以后可以在 c++ 和 vb6 项目中使用 .net dll。

到目前为止我的代码:

我想调用的 c# 类:

public class App
{
   public App(int programKey, List<string> filePaths)
   {
       //Do something
   }
}

我的 C++ 项目:

static int m_programKey;
static vector<std::string> m_fileNames;

void __stdcall TicketReportAPI::TrStart(int iProgramKey)
{
    m_programKey = iProgramKey;
};

void __stdcall TicketReportAPI::TrAddFile(const char* cFileName)
{
    string filename(cFileName);
    m_fileNames.push_back(filename);
}


void __stdcall TicketReportAPI::TrOpenDialog()
{

    if(m_fileNames.size()> 0)
    {

        List<String^> list = gcnew List<String^>();

        for(int index = 0; index < m_fileNames.size(); index++)
        {

            std::string Model(m_fileNames[index]);
            String^ sharpString = gcnew String(Model.c_str());

            list.Add(gcnew String(sharpString));
        }


        App^ app = gcnew App(m_programKey, list);

    }
    else
        App^ app = gcnew App(m_programKey);

}

如果我试图编译 c++ 项目,我会收到以下错误:

App(int,System::Collections::Generic::List ^)':无法从 'System::Collections::Generic::List' 转换为 'System::Collections::Generic::List ^'

是否可以将托管列表从 c++ 传递到 .net c#?如果没有,你们建议我将字符串数组传递给我的 c# 程序集吗?

感谢您的帮助,提前致谢。

4

1 回答 1

15

你缺少一个^.

List<String^>^ list = gcnew List<String^>();
             ^-- right here

您还需要切换list.Addlist->Add.

您正在使用gcnew,这是在托管堆上创建内容的方式,结果类型是托管句柄^. 这大致相当于使用new在非托管堆上创建对象,结果类型为指针,*.

声明类型的局部变量List<String^>(不带^)是有效的 C++/CLI:它使局部变量使用堆栈语义。没有与该变量类型等效的 C#,因此大多数 .Net 库不能完全使用它:例如,没有复制构造函数来处理没有^. 所有托管 API 都需要类型为 的参数^,因此大多数情况下,您希望将其用于局部变量。

重要说明:此答案中的所有内容都适用于 .Net 中的引用类型(在 C# 中声明为class,或在 C++/CLI 中声明为ref classor ref struct)。它不适用于值类型(C# struct、C++/CLIvalue classvalue struct)。值类型(例如int, float,DateTime等)总是在没有^.

于 2013-06-11T14:13:11.013 回答