带有boost :: shared_ptr的NULL指针?

时间:2009-03-07 03:03:27

标签: c++ boost null pointers shared-ptr

与以下内容相同:

std::vector<Foo*> vec;
vec.push_back(NULL);

处理boost::shared_ptr时?它是以下代码吗?

std::vector< boost::shared_ptr<Foo> > vec;
vec.push_back(boost::shared_ptr<Foo>());

注意:我可能会推回很多这样的对象。我应该在某处声明一个全局静态nullPtr对象吗?这样只需要构建其中一个:

boost::shared_ptr<Foo> nullPtr;

6 个答案:

答案 0 :(得分:52)

您的建议(调用shared_ptr<T>没有参数的构造函数)是正确的。 (使用值0调用构造函数是等效的。)我认为这不会比使用预先存在的vec.push_back()调用shared_ptr<T>慢,因为在这两种情况下都需要构造(或者直接建设或复制建设。)

但是如果你想要“更好”的语法,你可以尝试以下代码:

class {
public:
    template<typename T>
    operator shared_ptr<T>() { return shared_ptr<T>(); }
} nullPtr;

这声明了一个全局对象nullPtr,它支持以下自然语法:

shared_ptr<int> pi(new int(42));
shared_ptr<SomeArbitraryType> psat(new SomeArbitraryType("foonly"));

...

pi = nullPtr;
psat = nullPtr;

请注意,如果您在多个翻译单元(源文件)中使用它,则需要为该类命名(例如_shared_null_ptr_type),将nullPtr对象的定义移动到单独的.cpp文件,并在定义类的头文件中添加extern声明。

答案 1 :(得分:17)

嗯,这是合法的:

shared_ptr<Foo> foo;  /* don't assign */

在这种状态下,它并没有指向任何东西。你甚至可以测试这个属性:

if (foo) {
    // it points to something
} else {
    // no it doesn't
}

那么为什么不这样做:

std::vector < shared_ptr<Foo> > vec;
vec.push_back (shared_ptr<Foo>);   // push an unassigned one

答案 2 :(得分:9)

在C ++ 0x中,您只需从nullptr转换为std::shared_ptr

std::vector< boost::shared_ptr<Foo> > vec;
vec.push_back(nullptr);

答案 3 :(得分:4)

您可以为nullPtr声明全局shared_ptr<Foo>。但是,如果您污染了全局命名空间,那么您对nullPtr的全局shared_ptr<Bar>称为什么?

通常我将null ptr声明为指针类中的静态。

#include <boost\shared_ptr.hpp>

class Foo; // forward decl
typedef boost::shared_ptr<Foo> FooPtr;
class Foo
{
public:
    static FooPtr Null;
}
...
// define static in cpp file
FooPtr Foo::Null;
...
// use Foo Null
vec.push_back(Foo::Null);

这样每个类都有一个静态Null。

答案 4 :(得分:1)

这是我觉得有点简单并且工作得很好的东西

(请记住typedef是你的朋友):

#include    <cstdlib>
#include    <vector>
#include    <iostream>
#include    <boost/shared_ptr.hpp>

typedef boost::shared_ptr< std::vector<char> > CharVecHandle;

inline CharVecHandle newCharVec(std::vector<char>::size_type size) {
    return CharVecHandle(new std::vector<char>(size));
}

inline CharVecHandle newCharVec(void) {
    return CharVecHandle();
}

int main ( void )
{
    CharVecHandle cvh = newCharVec();

    if (cvh == NULL) 
        std::cout << "It's NULL" << std::endl;
    else 
        std::cout << "It's not NULL" << std::endl;

    std::vector< CharVecHandle > cvh_vec;

    cvh_vec.push_back(newCharVec(64));
    cvh_vec.push_back(newCharVec());

    // or call the NULL constructor directly
    cvh_vec.push_back(CharVecHandle());

    return EXIT_SUCCESS;
}

答案 5 :(得分:0)

是的,声明一个全局静态空指针。