Suppose I've a vector a = {"the", "of"}
and a vector b = {"oranges", "the", "of", "apples"}
.
I want to compare both vectors and remove the elements from a
which are also in b
. This is what I came up with:
for (int i = 0; i < a.size(); i++) {
for (int j =0; j < b.size(); j++) {
if (a[i] == b[j]) {
a.erase(a.begin() + i);
}
}
}
But this loop is not removing the last element in a
. Weird!
The problem is that when you remove the first element of
a
the index gets incremented from 0 to 1. On the next iteration of the loop the size of the vector is1
which meets the condition of the outer loop causing it to terminate. You can avoid any trickery that may be necessary to fix this by simply usingstd::remove_if
,std::find
, and a lambda.A better test would be to switch the contents of
a
andb
. This will remove "the" and "of" leaving you with "oranges" and "apples".