我如何做一个正确的函数来接收数组作为参数?在下面的代码中,结果应为36,但在我的函数中仅显示4。似乎它只传递了第一个元素。
void test(float v[]){
printf("size: %d\n", sizeof(v)); //RESULT: 4
}
int main(){
GLfloat vv[] = {
0, 0, 0,
1, 1, 0,
1, 0, 0
};
printf("size: %d\n", sizeof(vv)); //RESULT: 36
test(vv);
return 0;
}
最佳答案
我如何做一个正确的函数来接收数组作为参数?
如您的示例所示,如果数组在编译时具有已知的大小,则可以使用模板函数。本示例通过const引用获取数组元素:
template< class T, size_t N >
void foo( const T (&data)[N] )
{
// length of array is N, can access elements as data[i]
}
int main(){
GLfloat vv[] = {
0, 0, 0,
1, 1, 0,
1, 0, 0
};
foo(vv);
}
那是对该问题的字面答案。我将使用具有清晰复制,分配和引用语义的类型,例如
std::array
:template <size_t N>
void foo(const std::array<GLfloat, N>& data)
{
// data looks like a C array, but has size() and many other methods
}
int main(){
std::array<GLfloat, 9>{
{ 0, 0, 0,
1, 1, 0,
1, 0, 0 }
};
foo(vv);
}
关于c++ - C++数组和函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15308058/