7

I created a vector:

std::vector<std::string> mero; // earlier it filled with more than 500 data

After that I would like to create another vector which only takes a portion of the mero vector. (example: from 100th to 250th)

szuniverse
  • 1,076
  • 4
  • 17
  • 32

3 Answers3

13

There's a constructor for std::vector (number 4 in this link) that takes two iterators. It constructs a new vector including all elements from the first iterator (inclusive) to the second iterator (exclusive).

std::vector<std::string> partOfMero(mero.begin() + 100, mero.begin() + 250);

This will include mero[100] through mero[249] in the newly-constructed vector.

David Schwartz
  • 179,497
  • 17
  • 214
  • 278
6

You can get the first iterator using begin, and advance it by whatever amount you need:

vector<int> sub(advance(begin(miro), 100),
                advance(begin(miro), 250));
Peter Wood
  • 23,859
  • 5
  • 60
  • 99
5

std::vector has a constructor that takes two iterators, so you can specify a range to copy:

std::vector<std::string> v1;
std::vector<std::string>::const_iterator first = v1.begin() + 100;
std::vector<std::string>::const_iterator last = v1.begin() + 250;
std::vector<std::string> v2(first, last)

This will construct v2 such that it contains copies of all the elements from v1.begin()+100 to one before v1.begin()+250.

juanchopanza
  • 223,364
  • 34
  • 402
  • 480