在C++11中,用什么方法对数组进行简单的范围管理是最干净的



我正在寻找一种使用C++11中引入的新指针模板来管理数组范围的干净方法,这里的典型场景是调用win32api函数。

我之所以在这里发帖,是因为尽管有很多关于更复杂问题的讨论,但这个相对简单的场景似乎没有被讨论过,我想知道是否有比我现在开始做的更好的选择

#include <memory>
void Win32ApiFunction(void* arr, int*size)
{
    if(arr==NULL)
        *size = 10;
    else
    {
        memset(arr,'x',10);
        ((char*)arr)[9]='';
    }
}
void main(void)
{
    // common to old and new
    int size;
    Win32ApiFunction(NULL,&size);
    // old style - till now I have done this for scope reasons
    if(char* data = new char[size])
    {
        Win32ApiFunction(data,&size);
        // other processing
        delete [] data;
    }
    // new style - note additional braces to approximate
    // the previous scope - is there a better equivalent to the above?
    {
        std::unique_ptr<char[]> data1(new char[size]);
        if(data1)
        {
            Win32ApiFunction(data1.get(),&size);
            // other processing
        }
    }
}

最干净的方法是使用std::vector,即使C++98保证它与C样式数组兼容(即它存储为单个连续块),您所需要的只是将指向第一个元素的指针传递给Win32ApiFunction

std::vector<char> data(size);
Win32ApiFunction(&data[0], &size);

在C++11中,有一个特殊的成员函数std::vector<T>::data(),它将指针返回到数组的开头(因此,您不需要为向量值类型的重载operator& ()和使用std::addressof而烦恼,请参阅当运算符&重载时,如何可靠地获得对象的地址?有关operator&()重载的C++98问题)。

相关内容

  • 没有找到相关文章