gpt4 book ai didi

c++ - 删除 vector 中的最后一个元素时出现段错误

转载 作者:行者123 更新时间:2023-11-30 02:53:25 24 4
gpt4 key购买 nike

我正在尝试使用迭代器删除 vector 中的最后一个元素。但是我在删除元素时遇到了段错误。

下面是我的代码:

    for (vector<AccDetails>::iterator itr = accDetails.begin(); itr != accDetails.end(); ++itr) {
if (username == itr->username) {
itr = accDetails.erase(itr);
}
}

我的迭代有问题吗?

最佳答案

这是应用删除/删除成语的好地方:

accDetails.erase(
std::remove_if(
accDetails.begin(), accDetails.end(),
[username](AccDetails const &a) { return username == a.username; }),
accDetails.end());

作为奖励,这可能比您正在做的要快一点(或者如果您的 vector 很大,可能会快很多)。单独删除每个项目以 O(N2) 结束,但这将是 O(N),当/如果 N 变大时,这可能非常重要。

如果您不能使用 C++11,lambda 将无法工作,因此您需要单独对该比较进行编码:

class by_username { 
std::string u;
public:
by_username(std::string const &u) : u(u) {}
bool operator()(AccDetails const &a) {
return u == a.username;
}
};

accDetails.erase(
std::remove_if(accDetails.begin(), accDetails.end(), by_username(username)),
accDetails.end());

或者,您可以为您的AccDetails 类重载operator==,并在那里处理比较。例如:

#include <vector>
#include <iostream>
#include <algorithm>
#include <string>
#include <iterator>

class AccDetail {
std::string name;
int other_stuff;
public:
AccDetail(std::string const &a, int b) : name(a), other_stuff(b) {}

bool operator==(std::string const &b) {
return name == b;
}

friend std::ostream &operator<<(std::ostream &os, AccDetail const &a) {
return os << a.name << ", " << a.other_stuff;
}
};

int main(){
std::vector<AccDetail> ad = { {"Jerry", 1}, { "Joe", 2 }, { "Bill", 3 } };

std::cout << "Before Erase:\n";
std::copy(ad.begin(), ad.end(), std::ostream_iterator<AccDetail>(std::cout, "\n"));
ad.erase(
std::remove(ad.begin(), ad.end(), "Joe"),
ad.end());

std::cout << "\nAfter Erasing Joe:\n";
std::copy(ad.begin(), ad.end(), std::ostream_iterator<AccDetail>(std::cout, "\n"));
}

关于c++ - 删除 vector 中的最后一个元素时出现段错误,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/18029226/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com