5

我在 C++ 中有以下代码:

#include <iostream>
#include <cstdlib>
#include <ctime>
#include <vector>
int main ()
{
    srand(time(0));
    int noOfElements = 9;
    for (int a = 0; a < 9; a++)
    {
        std::vector<int> poss;
        for (int a = 1; a <= 9; a++)
            poss.push_back(a);
        for (int b = 0; b < 9; b++)
        {
            int random = rand() % 9;
            std::cout << poss[random];
            poss.erase(random);
            noOfElements--;
        }
        std::cout << "\n";
    }
}

然而,当我运行它时,它会返回:

error: no matching function for call to 'std::vector<int>::erase(int&)'

对于第 13 行。

为什么会这样,我该如何纠正?

4

3 回答 3

13

您不能直接从向量中擦除(向量是序列容器,而不是关联容器):您需要为要擦除的元素提供迭代器。

为了获得迭代器,您可以:

  • 根据元素的值(例如使用std::find())查找元素,然后将返回的迭代器提供给erase()成员函数的输入,或者
  • 通过将偏移量应用于指向向量开头的迭代器(即begin()成员函数返回的对象)来获取它。

在第一种情况下

#include <vector>
#include <algorithm>

int main()
{
    std::vector<int> v { 1, 2, 3};
    auto i = std::find(begin(v), end(v), 2);
    v.erase(i);
}

上面的代码使用了一些 C++11 特性。在 C++03 中,它看起来如下:

#include <vector>
#include <algorithm>

int main()
{
    std::vector<int> v;

    v.push_back(1);
    v.push_back(2);
    v.push_back(3);

    std::vector<int>::iterator i = std::find(v.begin(), v.end(), 2);
    v.erase(i);
}

在第二种情况下,如果您知道向量内元素的索引(例如pos),那么您可以通过以下方式轻松获得迭代器:

v.begin() + pos

或者(仅限 C++11)你可以这样做:

next(begin(v), pos);
于 2013-04-25T15:38:04.473 回答
6

你必须通过一个迭代器来擦除。所以试试

poss.erase(poss.begin() + random);
于 2013-04-25T15:39:36.447 回答
0

矢量擦除函数采用迭代器而不是值。而且您还需要检查边界条件以查看您正在擦除的索引是否超出范围。

std::vector<int>::iterator itr = poss.begin() + random;
if(itr != poss.end())
{
  poss.erase(itr);
}
于 2013-04-25T15:56:28.543 回答