我想在c中编写我的matlab程序的一些功能,以使其更快。 但是这个函数不会返回表达式的结果。它返回一些不同的值,如29。 不调用函数(说到将函数放在函数中我调用函数的地方)它可以工作。 即使在函数内部,表达式的结果也是正确的,但在返回之后却没有...
…
double distance = 0;
// function call
distance = distpos(position[0], position[1], *(origin), *(origin+1));
printf("%f", distance); // incorrect
…
// funktion
double distpos(double x1, double y1, double x2, double y2)
{
printf("%f", sqrt(pow((x1 - x2),2) + pow((y1 - y2),2))); // correct
return sqrt(pow((x1 - x2),2) + pow((y1 - y2),2));
}
//编辑------
我正在使用Matlab 7.3.0(R2006b)。
以下代码不起作用:
#include <stdio.h>
#include <math.h>
#include "mex.h"
void main()
{
double position[2] = { 5, 6 };
double origin[2] = { 3, 4 };
double distance = 0;
// function call
distance = distpos(position[0], position[1], *(origin), *(origin+1));
printf("%f\n", distance); // incorrect
}
// funktion
double distpos(double x1, double y1, double x2, double y2)
{
printf("%f\n", sqrt(pow((x1 - x2),2) + pow((y1 - y2),2))); // correct
return sqrt(pow((x1 - x2),2) + pow((y1 - y2),2));
}
void mexFunction(int nlhs, mxArray *plhs[],
int nrhs, const mxArray *prhs[])
{
main();
}
结果:
2.828427
639.000000
此代码确实有效:
#include <stdio.h>
#include <math.h>
#include "mex.h"
// funktion
double distpos(double x1, double y1, double x2, double y2)
{
printf("%f\n", sqrt(pow((x1 - x2),2) + pow((y1 - y2),2))); // correct
return sqrt(pow((x1 - x2),2) + pow((y1 - y2),2));
}
void main()
{
double position[2] = { 5, 6 };
double origin[2] = { 3, 4 };
double distance = 0;
// function call
distance = distpos(position[0], position[1], *(origin), *(origin+1));
printf("%f\n", distance); // incorrect
}
void mexFunction(int nlhs, mxArray *plhs[],
int nrhs, const mxArray *prhs[])
{
main();
}
结果:
2.828427
2.828427
这意味着: 如果函数在使用之前或使用之后声明,则会有所不同。 (我已经知道你应该在使用之前声明一个函数,但你不能)
答案 0 :(得分:1)
我可以确认默认的MEX编译器(Lcc-win32)是否成功编译了代码。 @Vicky在评论中解释了错误结果的原因......
现在将来,如果要查看任何警告,请启用详细模式:
>> mex -v a.c
...
Warning a.c: 16 missing return value
Warning a.c: 19 declaration of `distpos' does not match previous declaration at a.c 14
0 errors, 2 warnings
...
我应该提到VS2010和MinGW-GCC4都会抛出编译错误:
> gcc -o a.exe a.c
a.c:18:8: error: conflicting types for 'distpos'
a.c:13:20: note: previous implicit declaration of 'distpos' was here
和
> cl a.c
a.c(18) : error C2371: 'distpos' : redefinition; different basic types
通常,您应该在使用之前定义函数,或使用function prototypes。
答案 1 :(得分:0)
以下代码按预期工作(请参阅http://ideone.com/GfLkZ):
#include <stdio.h>
#include <math.h>
// funktion
double distpos(double x1, double y1, double x2, double y2)
{
printf("%f\n", sqrt(pow((x1 - x2),2) + pow((y1 - y2),2))); // correct
return sqrt(pow((x1 - x2),2) + pow((y1 - y2),2));
}
int main(void)
{
double position[2] = { 5, 6 };
double origin[2] = { 3, 4 };
double distance = 0;
// function call
distance = distpos(position[0], position[1], *(origin), *(origin+1));
printf("%f\n", distance); // incorrect
}