矢量下标超出范围

时间:2013-10-04 10:24:28

标签: c++ visual-studio-2010 vector runtime-error

我是C ++的新手,遇到了处理向量的问题。

我需要从另一个类访问“GridClass”中声明的向量,所以我将向量声明为public并尝试填充它。这是我的代码。

GridClass.h

#include <vector>

class GridClass : public CDialog
{
    DECLARE_DYNAMIC(GridClass)

public:
    GridClass(CWnd* pParent = NULL);   // standard constructor
    virtual ~GridClass();

protected:
    int nItem, nSubItem;

public:
    std::vector<CString> str; // <--The vector

在GridClass.cpp中;

str.reserve(20);//This value is dynamic
for(int i=0;i<10;i++){
    str[i] = GetItemText(hwnd1,i ,1);// <-- The error occurs here
}

我不能使用数组,因为大小是动态的,我只使用20进行调试。我在这里做错了什么?

2 个答案:

答案 0 :(得分:6)

std::vector::reserve只会增加向量的容量,它不会分配元素,str.size()仍为0,这意味着向量为空。在此需要std::vector::resize情况下:

str.resize(20);

或者只需致电std::vector::push_back

str.reserve(20);   // reserve some space which is good. It avoids reallocation when capacity exceeds
for(int i=0; i<10; i++){
    str.push_back(GetItemText(hwnd1,i ,1)); // push_back does work for you.
}

答案 1 :(得分:4)

调用reserve后,向量仍为空;您仍需要添加insertpush_back的字符串,或使用resize添加空字符串。

要使用循环用十个字符串填充它,请使用push_back

for(int i=0;i<10;i++){
    str.push_back(GetItemText(hwnd1,i ,1));
}

或者如果您想要20个字符串,分配前10个字符串并将剩下的字符串留空,那么您可以保留循环,但使用resize而不是reserve