我需要将c ++ lib中的整数值返回到c#中。
在c ++ lib中,它返回指针,因为我知道,在c ++中,我们不能返回数组。我需要该整数值才能在C#中运行
__declspec(dllexport) int* FindShortestPath(int from, int to)
{
//some algorithm...
return showShortestPathTo(used, p, to);
}
static int* showShortestPathTo(vector<bool> used, vector<int> p, int vertex)
{
vector<int> path;
//push to vector values
int* return_array = new int[path.size()];
//initialize array dynamically.....
return return_array;
}
问题是:从c ++库向c#返回值的最佳方法是什么?
我应该改变什么?
最佳答案
最佳方法是让调用者传递您使用C函数填充的数组。像这样:
int FindShortestPath(int from, int to, int[] buffer, int bufsize)
现在,C#代码可以简单地将int []作为缓冲区参数传递。将矢量内容复制到其中。确保观察到bufsize,您将直接复制到GC堆中,因此,如果复制超出数组末尾,则将破坏该堆。
如果bufsize太小,则返回错误代码,负数是好的。否则,返回复制元素的实际数量。如果C#代码无法猜测所需的缓冲区大小,则惯例是首先使用空缓冲区调用该函数。返回所需的数组大小,C#代码现在可以分配数组并再次调用该函数。
关于c# - 将数组从C++库中的函数返回到C#Programm,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36527422/