1

我正在生成 C 代码以在嵌入系统上运行,并且我想要生成的代码包含对具有大量参数的函数的调用。当我生成函数时,这些参数的数量总是已知的,它们总是由许多输入和输出数组组成。

在我当前版本的代码中,我生成的 C 代码包含以下形式的函数:

void f(const double* x0, const double* x1, const double* x2, double* r0, double* r1);

在这种情况下,我有 3 个输入数组和 2 个输出数组。然而,一般来说,输入和输出数组的数量可能非常大,如数百或数千。请注意,该代码并非旨在供人类阅读。

现在,我了解到 C 标准只保证支持多达 127 个函数参数。此外,我还希望我生成的代码符合嵌入式系统的严格编码标准,我已经看到喷气推进实验室的 C 代码编码标准最多允许 6 个参数。

那么,如何以最有效的方式用最多 6 个函数参数重写上面的代码呢?请注意,我只对执行速度感兴趣,而不是代码可读性。

我的第一个想法是按如下方式处理上面的函数:

void f(const double* x[], double* r[]);

然后按如下方式调用此代码(线程安全不是问题):

static const double* x[] = {x0, x1, x2};
static double* r[] = {r0, r1};
f(x,r);

这是一个好主意吗?还有其他更有效的选择吗?

4

2 回答 2

2

比您的解决方案更有效的是能够通过单个指针访问所有参数,您可以使用结构来执行此操作,该结构还可以处理不同类型的参数:

typedef struct
{
    const double* in[3];
    double* out[2];
} MyFuncArgs;

MyFuncArgs myFuncArgs = { { x0, x1, x2 }, { r0, r1 } };
void myFunc(MyFuncArgs*);
myFunc(&myFuncArgs); 
...
void myFunc(MyFuncArgs* args)
{
     // do stuff with args->in[...], put results in args->out[...].
}

或者:

typedef struct
{
    const double *in0, *in1, *in2;
    double *out0, *out1;
} MyFuncArgs;

MyFuncArgs myFuncArgs = { x0, x1, x2, r0, r1 };
void myFunc(MyFuncArgs*);
myFunc(&myFuncArgs); 
...
void myFunc(MyFuncArgs* args)
{
     // do stuff with args->in0 ..., put results in args->out0 ...
}
于 2013-07-04T18:34:18.483 回答
0

我认为你做得很好。阵列适合您的要求

于 2013-07-04T17:47:28.367 回答