Papbad
Papbad

Reputation: 163

How to access class variable inside a vector iterator?

I'd like to access a public variable of a class instance, where the instances are kept in a vector of the class type. I have to run through all elements of vector using an iterator, but it confuses me as to how I get the variables with the iterator present. I'm using C++98.

source.cpp:

#include <iostream>
#include <vector>
#include "Rectangle.h" 

using namespace std;

int main() {    
    int len = 2, hen = 5;   
    int len2 = 4, hen2 = 10;

    Rectangle rect1(len, hen);  
    Rectangle rect2(len2, hen2);        
    vector<Rectangle> Rects;
    Rects.push_back(rect1);
    Rects.push_back(rect2);

    for (std::vector<Rectangle>::iterator it = Rects.begin(); it != Rects.end(); ++it) {        
       //how to access length and height here?  
    }

    system("pause");    
    return 0; 
}

Rectangle.h:

#pragma once
class Rectangle
{
private:        

public:
    int length;
    int height;

    Rectangle(int& length, int& height);
    ~Rectangle();
};

Rectangle.cpp:

#include "Rectangle.h"

Rectangle::Rectangle(int& length, int& height) 
    : length(length), height(height)
{ }

Rectangle::~Rectangle() {}

Upvotes: 0

Views: 1939

Answers (1)

nayab
nayab

Reputation: 2380

Add the rectangle to vector first, dereference iterator and access the elements.

int main() {    
    int len = 2, hen = 5;   
    int len2 = 4, hen2 = 10;

    Rectangle rect1(len, hen);  
    Rectangle rect2(len2, hen2);        
    vector<Rectangle> Rects;
    Rects.push_back(rect1);
    Rects.push_back(rect2);

    for (std::vector<Rectangle>::iterator it = Rects.begin(); it != Rects.end(); ++it) {        
       std::cout << "length " <<(*it).length<<std::endl;
       std::cout << "height " <<(*it).height<<std::endl;
    }

    system("pause");    
    return 0; 
}

Upvotes: 3

Related Questions