我有一堂课叫做Planet。
我有一系列的Planet对象。
我声明数组如下:
planet * planetList[5] =
{
new planet(...),
new planet(...),
new planet(...),
new planet(...),
new planet(...),
};
因此,我需要将此数组传递给这两个函数。
对于这两个函数,我使用完全相同的参数声明它们:
void function1 (planet planetList[5], int numOfPlanets) {...}
void function2 (planet planetList[5], int numOfPlanets) {...}
但是当我调用这两个函数时,
// receives no error
function1(planetList, numOfPlanets);
// error saying "cannot convert parameter 1 from 'planet *[5]' to 'planet []'"
function2(planetList, numOfPlanets);
谁能解释这个现象?
最佳答案
您已经声明了一个行星指针数组(planet * []),但是函数参数是行星对象数组(planet [])。因此,两个函数调用都不起作用。
尝试:
void function1(planet *planetList[5], int numOfPlanets) {}
void function2(planet *planetList[5], int numOfPlanets) {}
关于c++ - 将数组传递给函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14984970/