我有一个 mex 函数,它采用双精度输入向量,将精度向下转换为临时单精度向量,进行一些处理,然后将处理结果再次向上转换为双精度。
下面的简化代码示例编译并说明了这个过程。
#include "mex.h"
void mexFunction(int nlhs, mxArray *plhs[], int nrhs, const mxArray *prhs[])
{
int xM = mxGetM(prhs[0]);
int xN = mxGetN(prhs[0]);
int totalNumElements = xM*xN;
plhs[0] = mxCreateDoubleMatrix(xM,xN,mxREAL);
double* out = mxGetPr(plhs[0]);
double* in = mxGetPr(prhs[0]);
float out32[totalNumElements];
float in32[totalNumElements];
// ---------> DOWNCAST <---------
for (int mm = 0; mm < totalNumElements; ++mm)
in32[mm] = (float)in[mm];
// ---------- DOWNCAST ----------
// Do some single precision signal processing (just copy for this example)
for (int mm = 0; mm < totalNumElements; ++mm)
out32[mm] = in32[mm];
// ---------> UPCAST <---------
for (int mm = 0; mm < totalNumElements; ++mm)
out[mm] = (double)out32[mm];
// ---------- UPCAST ----------
}
在我的机器上,像这样调用已编译的 mex 函数可以正常工作。.
>> x = randn(1e6,1); y=demo(x);
...但是这样调用它会导致 Matlab 意外关闭
>> x = randn(1e7,1); y=demo(x);
看到崩溃是由输入向量的大小增加引起的,我猜测错误是由于内存分配失败造成的。如果发生此类错误,我如何优雅地退出到 Matlab 并给出错误消息?谢谢。