c++ - no matching function for call to

Zoh*_*fzh 2 c++ templates function-declaration variable-length-array

My terminal messages

zo@laptop:~/Desktop$ g++ stack.cpp 
stack.cpp: In function ‘int main(int, char**)’:
stack.cpp:50:19: error: no matching function for call to ‘boyInitial(Boy [boyNumber])’
     boyInitial(boy);
                   ^
stack.cpp:17:6: note: candidate: template<class T, int N> void boyInitial(T (&)[N])
 void boyInitial(T (&boy)[N]){
      ^~~~~~~~~~
stack.cpp:17:6: note:   template argument deduction/substitution failed:
stack.cpp:50:19: note:   variable-sized array type ‘long int’ is not a valid template argument
     boyInitial(boy);
                   ^
stack.cpp:51:19: error: no matching function for call to ‘getBoyAges(Boy [boyNumber])’
     getBoyAges(boy);
                   ^
stack.cpp:34:6: note: candidate: template<class T, int N> void getBoyAges(T (&)[N])
 void getBoyAges(T (&boy)[N]){
      ^~~~~~~~~~
stack.cpp:34:6: note:   template argument deduction/substitution failed:
stack.cpp:51:19: note:   variable-sized array type ‘long int’ is not a valid template argument
     getBoyAges(boy);
Run Code Online (Sandbox Code Playgroud)

My Program

#include <iostream>

class People{
    public:
        char *name;
        int age;
};

class Boy : public People{
    public:
        void say(void){
            std::cout << "i`m the most handsome!" << std::endl;
        }
};

template<class T, int N> 
void boyInitial(T (&boy)[N]){
    int i;
    for(i=0;i<N;i++){
        std::cout << "please input boy No." << i+1 << "`s age" << std::endl;
        std::cin >> boy[i].age; 
    }
}

template<class T, int N>
void getBoyAges(T (&boy)[N]){
    int i;
    for(i=0;i<N;i++){
        std::cout << boy.age << std::endl;
    }
}

int main(int argc, char **argv){
    using namespace std;
    int boyNumber = 0;
    cout << "how many boys do you want?" << endl;
    cin >> boyNumber;
    Boy boy[boyNumber];
    boyInitial(boy);
    getBoyAges(boy);
    return 0;
}
Run Code Online (Sandbox Code Playgroud)

Description

I'm trying to deliver Boy-type data boy, to the functions boyInitial() and getBoyAges(), by means of references, and then I get such errors.

I am trying to imitate the code here, and then get the errors.图片

I`d appreciate your help!

Vla*_*cow 5

关键错误信息如下

注意: 可变大小的数组类型“long int”不是有效的模板参数

你声明了一个变长数组(数组的大小不是一个常量表达式)

int boyNumber = 0;
cout << "how many boys do you want?" << endl;
cin >> boyNumber;

Boy boy[boyNumber];
Run Code Online (Sandbox Code Playgroud)

这不是标准的 C++ 功能。

使用标准容器代替可变长度数组std::vector

所提供的最后一个程序有效,因为没有可变长度数组。数组的大小在编译时是已知的。

至少你可以声明函数,例如

template<class T> 
void boyInitial(T *boy, size_t n ){
    for( size_t i=0; i < n; i++){
        std::cout << "please input boy No." << i+1 << "`s age" << std::endl;
        std::cin >> boy[i].age; 
    }
}
Run Code Online (Sandbox Code Playgroud)

该函数可以像这样调用

boyInitial( boy, boyNumber );
Run Code Online (Sandbox Code Playgroud)