1

我正在使用 SFML 开展一个项目,该项目涉及许多带有许多按钮的菜单,因此我正在创建函数以采用最少的输入并自动创建和格式化这些按钮。当函数调用已经构造的按钮作为参数时,我的工作非常出色,但我想简化它以获取字符串,这些字符串将用于构造按钮,并将存储在向量中。当我尝试这样做时,我收到了这个错误:

Unhandled exception at 0x76a7c41f in Menu.exe: Microsoft C++ exception:
std::bad_alloc at memory location 0x003cd0a0..

我在 dbgheap.c 中指出了这一点:

 for (;;)
    {
        /* do the allocation
         */
here>>> pvBlk = _heap_alloc_dbg_impl(nSize, nBlockUse, szFileName, nLine, errno_tmp);

        if (pvBlk)
        {
            return pvBlk;
        }
        if (nhFlag == 0)
        {
            if (errno_tmp)
            {
                *errno_tmp = ENOMEM;
            }
            return pvBlk;
        }

        /* call installed new handler */
        if (!_callnewh(nSize))
        {
            if (errno_tmp)
            {
                *errno_tmp = ENOMEM;
            }
            return NULL;
        }

        /* new handler was successful -- try to allocate again */
    }

这是我的代码,以及我所做的更改。

此函数没有错误:

void page::addLeft(int n, ...)
{
va_list left;
va_start(left, n);
for (int i = 0; i < n; i++)
{
    leftButtons.push_back(va_arg(left, button));
     //takes parameters of type "button", a working custom class
}
va_end(left);
}

这个函数给了我未处理的异常:std::bad_alloc

void page::addLeft(int n, ...)
{
va_list left;
va_start(left, n);
for (int i = 0; i < n; i++)
{
    std::string s = va_arg(left, std::string);
     //takes a parameter of type "string" and uses it in the default constructor 
     //of button. the default constructor for button works. 
    leftButtons.push_back(button(s));
}
va_end(left);
}

我对 SFML 很陌生,但我认为这不是问题所在。任何和所有的帮助表示赞赏。

4

1 回答 1

2

va_arg 不适用于 std::string。因此,在 for 循环的第一次迭代之后,我们将引用未知内存。使您的示例工作的一种方法如下:

void page::addLeft(int n, ...)
{
va_list left;
va_start(left, n);
for (int i = 0; i < n; i++)
{
    std::string s = va_arg(left, const char *);
     //takes a parameter of type "string" and uses it in the default constructor 
     //of button. the default constructor for button works. 
    leftButtons.push_back(button(s));
}
va_end(left);
}
于 2013-09-03T23:22:19.040 回答