我必须使用相同数量的元素。我想根据条件删除第一个向量的元素,但我还想从第二个向量中删除位于相同位置的元素。
例如,这里有两个向量:
std::vector<std::string> first = {"one", "two", "one", "three"}
std::vector<double> second = {15.18, 14.2, 2.3, 153.3}
我想要的是根据条件删除元素是否为“1”。最终结果是:
std::vector<std::string> first = {"two", "three"}
std::vector<double> second = {14.2, 153.3}
我可以使用以下方法从first
删除元素
bool pred(std::string name) {
return name == "one";
}
void main() {
std::vector<std::string> first = {"one", "two", "one", "three"}
first.erase(first.begin(), first.end(), pred);
}
但我也不知道从第二个向量中删除元素的方法。
答案 0 :(得分:6)
我建议您更改数据结构。 使用结构来保存这两个元素:
struct Entry
{
std::string text;
double value;
};
现在这成为两个元素的一个向量:
std::vector<Entry> first_and_second;
在向量中搜索给定文本时,可以删除包含文本和值的一个元素。
答案 1 :(得分:2)
for(int i = first.size() - 1; i >= 0; i--){
if(first[i] == "one"){
first.erase(first.begin() + i);
second.erase(second.begin() + i);
}
}