挣扎着将新内容分配给向量的指针

Struggling with pointers to Assign new contents to a vector

好吧,我要做的是将 class 的实例添加到向量的特定索引。该索引可以是最初不存在的,也可以是已清除的现有索引,并且正在将新的 class 实例写入该位置。

下面是我一直用来尝试将这些实例写入向量的函数,在底部的注释中你可以看到我尝试使用的其他 2 种方法,显然只有 push_back能够在最后添加新的向量。

我有一种感觉,assign 可能只能向现有元素添加数据?并且该插入可能会添加一个新元素并将现有元素向下移动而不是覆盖。只是想清楚一点,因为 C++ 教程已经开始让我感到困惑。

此外,reference/defreference/call Person 向量(在本例中称为 "allthePeople")的正确方法是什么,以便可以更改其数据?

void createnewPerson(int assignID, RECT startingpoint, vector<Person>* allthePeople, int framenumber) {
    Person newguy(assignID, startingpoint, framenumber);

    std::cout << "New Person ID number: " << newguy.getIDnumber() << std::endl;
    std::cout << "New Person Recent Frame:  " << newguy.getlastframeseen() << std::endl;
    std::cout << "New Person Recent history bottom:  " << newguy.getrecenthistory().bottom << std::endl;
    int place = assignID - 1;

    //This is where I am confused about referencing/dereferencing
    allthePeople->assign(allthePeople->begin() + place, newguy);
    //allthePeople->insert(place, newguy);
    //allthePeople->push_back(newguy);
}

另外澄清一下,"place" 总是比 "assignID" 小 1,因为向量位置从 0 开始,我只是想从 1 而不是 0 开始它们的 ID 号。

-------------编辑:添加了 IF 循环解决了问题-----------------

void createnewPerson(int assignID, RECT startingpoint, vector<Person>* allthePeople, int framenumber) {
    Person newguy(assignID, startingpoint, framenumber);

    std::cout << "New Person ID number: " << newguy.getIDnumber() << std::endl;
    std::cout << "New Person Recent Frame:  " << newguy.getlastframeseen() << std::endl;
    std::cout << "New Person Recent history bottom:  " << newguy.getrecenthistory().bottom << std::endl;
    int place = assignID - 1;

    if (allthePeople->size() > place)
    {
        //assuming places starts from 1 to vector's size.
        (*allthePeople)[place] = newguy;
    }
    else
    {
        allthePeople->push_back(newguy);
    }
}

assign 的意思是 替换 向量的全部内容。

假设你想把每个人放在一个特定的地方。然后,您可能会更好地使用 operator[] 将值放在您想要的位置,而不是使用 assign。您需要具有适当大小的向量。

if (allthePeople->size() >= place )
{
    //assuming places starts from 1 to vector's size.
    (*allthePeople)[place - 1] = newguy;    
}