注意 - 我已经对C ++的指针和引用进行了大量搜索。 我似乎并不理解这个特定情况。因此张贴在这里!
以下是 CORRECT 代码。这是工作。我为在线C ++练习题写了这个。最初给了我一部分代码。
我不明白为什么在主函数中使用 * per [n] 创建一个Person对象数组,如下所示:
#include <cmath>
#include <cstdio>
#include <vector>
#include <iostream>
#include <algorithm>
using namespace std;
class Person {
string name;
int age;
public:
Person(){
name = "";
}
virtual void putdata() = 0;
virtual void getdata() = 0;
};
class Professor: public Person {
int publications, cur_id;
string name;
int age;
public:
static int professorCount;
Professor(){
name = "";
age = 0;
publications = 0;
cur_id = professorCount + 1;
professorCount++;
}
void getdata(){
cin >> name >> age >> publications;
}
void putdata(){
cout << name << " " << age << " " << publications << " " << cur_id << endl;
}
};
class Student: public Person {
int marks[6];
int cur_id;
string name;
int age;
public:
static int studentCount;
Student(){
name = "";
age = 0;
cur_id = studentCount + 1;
studentCount++;
}
void getdata(){
cin >> name >> age >> marks[0] >> marks[1] >> marks[2] >> marks[3] >> marks[4] >> marks[5];
}
void putdata(){
cout << name << " " << age << " " << marks[0] + marks[1] + marks[2] + marks[3] + marks[4] + marks[5] << " " << cur_id << endl;
}
};
int Professor::professorCount = 0;
int Student::studentCount = 0;
在下面的这个主函数中,正在创建一个Person对象数组,但在开头给出了一个*。它是如何工作的?
int main(){
int n, val;
cin>>n; //The number of objects that is going to be created.
Person *per[n]; // THIS ONE RIGHT HERE! THIS ONE!
for(int i = 0;i < n;i++){
cin>>val;
if(val == 1){
// If val is 1 current object is of type Professor
per[i] = new Professor;
}
else per[i] = new Student; // Else the current object is of type Student
per[i]->getdata(); // Get the data from the user.
}
for(int i=0;i<n;i++)
per[i]->putdata(); // Print the required output for each object.
return 0;
}
答案 0 :(得分:3)
我不明白为什么在主函数中使用
*per[n]
创建一个Person对象数组,如下所示
存储指针的目的是支持虚拟多态性(像Person
这样的抽象类无法实例化)。智能指针也可以提供,但需要注意正确的dynamic memory management。
根本不需要在c ++中使用原始指针或原始数组。该代码并未提供&#34;最佳做法&#34; 的良好示例。
main()
功能
Person *per[n]; // Note that VLA's aren't standard c++ syntax
应替换为
std::vector<std::unique_ptr<Person>> per(n);
和相应的循环
for(int i = 0;i < n;i++){
cin>>val;
if(val == 1){
// If val is 1 current object is of type Professor
per[i] = std::make_unique<Professor>();
// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
}
// Else the current object is of type Student
else per[i] = std::make_unique<Student>();
// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^
per[i]->getdata(); // Get the data from the user.
}
另外
int marks[6];
应替换为
std::array<int,6> marks;
当作为函数参数传递时, std::array
更方便,更不容易出错
答案 1 :(得分:1)
您正在为Person对象创建一个指针数组。那就像per[i] = new Professor;
之类的作业可以起作用 - new Professor
返回指向教授对象的指针,所以你需要一个指针数组来存储它。