0

我想知道是否有人可以看看为什么我在这里遇到运行时错误。

Project1.exe 中 0x6FBDEBC2 (msvcr110d.dll) 的第一次机会异常:0xC0000005:访问冲突写入位置 0x7CB67DEB。Project1.exe 中 0x6FBDEBC2 (msvcr110d.dll) 处的未处理异常:0xC0000005:访问冲突写入位置 0x7CB67DEB。

#include <iostream>
#include <string>
#include <sstream>

using namespace std;

int main(){
    struct person {
        string name;
        int age;
        int weight;
        string nickname;
    } ;

    person people[1];

    for(int i = 0; i < sizeof(people); i++){
        string s[4];
        for(int x = 0; x < 4; x++){
            cout << "Please enter person " << i << "'s " << (x == 0 ? "name" : x == 1 ? "age" : x == 2 ? "weight" : x == 3 ? "nickname" : "unknown") << "." << endl;
            getline(cin, s[x]);
        }
        people[i].name = s[0];
        stringstream(s[1]) >> people[i].age;
        stringstream(s[2]) >> people[i].weight;
        people[i].nickname = s[3];
    }

    for(int i = 0; i < sizeof(people); i++)
        cout << "Person " << i << ": name = " << people[i].name << ", age = " << people[i].age << ", weight = " << people[i].weight << ", nickname = " << people[i].nickname << endl; 

    cout << "Please press enter to continue.";
    fflush(stdin);
    cin.clear();
    cin.get();
}

在第二个 for 循环之前它运行良好,它似乎运行错误。

4

2 回答 2

3

你的问题出在这里:

sizeof(people)

这不会给您数组的长度people,而是数组的总大小(以字节为单位)。您可以使用std::begin(people)andstd::end(people)让迭代器到达数组的开头和结尾。

for (auto it = std::begin(people); it != std::end(people); ++it)
{
  // it is an iterator to an element of people
  it->name = ....;
}

或者,您可以使用基于范围的循环:

for (auto& p : people)
{
  // p is a reference to an element of people here
  p.name = ....;
}
于 2013-10-08T15:36:52.917 回答
0

为防止出现此类问题,请考虑这种方法,它允许您存储静态数组的大小:

int ARRAY_SIZE = 1;
person people[ARRAY_SIZE];

然后你的for循环:

for(int i = 0; i < ARRAY_SIZE; i++)
于 2013-10-08T15:38:24.747 回答