避免在函数调用中计算数组元素

Avoid counting array elements in function call

我正在定义函数签名以执行远程过程调用。由于 undefined behavior,我无法在调用表达式中增加索引变量,所以我最终从 0 计数到最后一个索引,并将每个索引作为参数传递给函数。有没有更优雅的方法来完成这个而不计算?我在想循环什么的。当固定参数计数更改为例如时,这会派上用场。 16 个参数而不是 8.

typedef unsigned long long int functionType(int, int, int, int, int, int, int, int);

unsigned long long int call_address(uintptr_t real_address, const unsigned int *arguments) {
    auto function = (functionType *) real_address;

    // We count instead of incrementing an index variable because: operation on 'argumentIndex' may be undefined
    return function(arguments[0], arguments[1],
                    arguments[2], arguments[3],
                    arguments[4], arguments[5],
                    arguments[6], arguments[7]);
}

我知道有 variable arguments 使用 va_startva_listva_end,但我不确定它们是否可以在这里使用。

您的解决方案的一部分涉及从 arguments 数组中解压缩固定数量的值并使用它调用 function。以下 C++14 代码将执行此操作:

template <typename F, size_t... Is>
unsigned long long int our_invoke(F f, const unsigned int * args, std::index_sequence<Is...>) {
    return f(args[Is]...);
}

unsigned long long int call_address(uintptr_t real_address, const unsigned int *arguments) {
    auto function = (functionType *) real_address;

    return our_invoke(function, arguments, std::make_index_sequence<8>{});
}