如何从矢量打印嵌套结构对象

How to print nested struct objects from vector?

本文关键字:嵌套 结构 对象 打印      更新时间:2023-10-16

我正在开发一个保存车辆库存的程序,所以我为它创建了一个结构。它还需要保存驱动程序的列表,所以我为此创建了嵌套结构。这是代码:

struct Vehicle{
string License;
string Place;
int Capacity;
struct Driver{
    string Name;
    int Code;
    int Id;
}dude;
};

我请求用户输入,然后使用以下函数将结构放入向量中:

void AddVehicle(vector<Vehicle> &vtnewV){
Vehicle newV;
Vehicle::Driver dude;
cout << "Enter license plate number: " << endl;
cin >> newV.License;
cout << "Enter the vehicle's ubication: " << endl;
cin >> newV.Place;
cout << "Enter the vehicle's capacity: " << endl;
cin >> newV.Capacity;
cout << "Enter the driver's name: " << endl;
cin >> dude.Name;
cout << "Enter the driver's code: " << endl;
cin >> dude.Code;
cout << "Enter the driver's identification number: " << endl;
cin >> dude.Id;
vtnewV.push_back(newV);
};

现在,我需要的是打印向量内部的结构。我做了以下功能:

void PrintVehicle(vector<Vehicle> vtnewV){
{
    vector<Vehicle> ::iterator i;
    for (i = vtnewV.begin(); i != vtnewV.end(); i++)
    {
        cout << "License plate: " << i->License << endl;
        cout << "Ubication: " << i->Place << endl;
        cout << "Capacity: " << i->Capacity << endl;
        cout << "Driver's name: " << i->dude.Name << endl;
        cout << "Driver's code: " << i->dude.Code << endl;
        cout << "Id: " << i->dude.Id << endl;
        cout << " " << endl;
    }
}
}

但它只打印出第一个结构的元素,在驱动程序信息应该在的地方打印出随机数。你能告诉我我错在哪里吗?除嵌套结构外,其他所有内容都打印良好。

Vehicle::Driver dude;

您在这里声明了另一个变量,它与newV(Vehicle(中的dude无关。

将代码更改为:

void AddVehicle(vector<Vehicle> &vtnewV){
    Vehicle newV;
    //Vehicle::Driver dude; // delete it here
    cout << "Enter license plate number: " << endl;
    cin >> newV.License;
    cout << "Enter the vehicle's ubication: " << endl;
    cin >> newV.Place;
    cout << "Enter the vehicle's capacity: " << endl;
    cin >> newV.Capacity;
    cout << "Enter the driver's name: " << endl;
    cin >> newV.dude.Name;
    cout << "Enter the driver's code: " << endl;
    cin >> newV.dude.Code;
    cout << "Enter the driver's identification number: " << endl;
    cin >> newV.dude.Id;
    vtnewV.push_back(newV);
};