如何动态分配涉及指针的结构?

时间:2016-01-30 00:54:45

标签: c++ arrays struct

我正在使用包含三个字段的学生结构。然后我在main中声明了一个指向Student结构的指针。然后我将该指针传递给一个函数。此函数计算文件中的行数,然后动态分配Student数组,使其与文件中的行数相同,然后将数据读入数组。我坚持动态分配Student数组,因为函数参数涉及到结构的指针。

因为函数参数是指向结构的指针,如果我pointer = new Student[record];,它会起作用吗?我不知道你是否会将Student数组动态分配到与文件中行数相同的大小。函数参数中的指针让我感到困惑。

struct Student
{
string name;
double gpa[NUM_OF_QUARTERS];
double average;
};

bool fillArr(Student* pointer);

int main()
{

Student* ptr;

if (!fillArr(ptr))
    return 1;

return 0;
}

bool fillArr(Student* pointer)
{

ifstream infile;
infile.open("student_records.txt");
if (!infile)
{
    cout << "Error opening file\n";
    return false;
}   
int record = 0;
string str;
while(getline(infile, str))
    ++record;
cout << "number of lines in the file " << record << endl;
infile.clear();
infile.seekg(0, ios::beg);

pointer = new Student[record];  // Is this how you would dynamically allocate the Student array?
// after dynamically allocating Student array, read in the data from the file
}

2 个答案:

答案 0 :(得分:3)

你的方法部分有效,但我宁愿使用std::vector<Student>。如果您想要非常喜欢,可以使用std::vector::emplace_back()函数来避免首先构建Student的开销,然后将其复制到std::vector std::vector::push_back()。你可以找到一个非常好的描述和例子here,它使用President类型代替Student

如果要在bool fillArr(Student *&pointer)中使用新创建的数组,则签名应为main()

如果您将ptr变量“by-value”传递给fillArr()ptr中的main()将不会被更改,因为pointer位于fillArr() 1}}包含函数调用时ptr的值。使用函数签名

会发生这种情况
bool fillArr(Student *pointer)

如果您改为“按参考”传递,pointer中的fillArr()将引用您在main()中传递的变量。使用建议的函数签名

会发生这种情况
bool fillArr(Student *&pointer)

答案 1 :(得分:1)

此处的方法无法正常工作,因为您按值传递指针。如果要以这种方式继续,请更改函数,使其通过引用获取指针:

bool fillArr(Student*& ptr) {
   ...
}

如果你不这样做,那么你只是改变原始指针的副本指向的位置,而不是原始指针本身指向的位置。

那就是说,我认为通过不使用std::vector代替动态分配的数组,你所做的事情比他们需要的要困难得多。使用std::vector

可以轻松实现
std::vector<Student> fillArr() {
    ifstream infile("student_records.txt");
    if (!infile) {
      /* error handling */
    }

    std::vector<Student> result;
    for (string line; getline(infile, line); ) {
         Student curr = /* initialize curr based on line */
         result.push_back(curr);
    }
    return result;
}

这可以避免原始指针,只读取文件一次,不会冒被提供指针为空的风险,并且不需要显式内存管理。这更像是C ++的做事方式,所以我强烈推荐它!