12

今天早些时候,我问了一个导致另一个问题的问题:我应该什么时候使用=delete?我认为没有专门针对=deleteSO 的帖子,所以我在一本名为“C++ 编程语言”的书中查找了它。我将在下面的答案中列出我的发现。

如果还有更多要说或我弄错了,请发表评论或回答。

4

1 回答 1

30

事实证明这=delete非常有用!这里有一些例子:


基本上我们可以防止复制基类,因为它可能经常导致切片:

struct Base {

    Base(){}

    Base& operator=(const Base&) = delete; // disallow copying
    Base(const Base&) = delete;

    Base& operator=(Base && ) = delete;      // disallow moving
    Base(Base && ) = delete;

};

struct Der : public Base {};

void func() {

    Der d;
    Base base = d; // this won't work because the copy constructor is deleted!
                   // this behavior is desired - otherwise slicing would occur

}

当模板函数不能以某种类型运行时,它也很有用:

template<class T>
void fn(T p) { /* ... */ }; // do something with T

void fn(int) = delete; // disallow use with int

void fun() {

    fn(4);      // aha! cannot use fn() with int!
    fn(-4.5);   // fine
    fn("hello");// fine
}

=delete也可以禁止不需要的转换:

struct Z {

    Z(double); // can initialize with a double
    Z(int) = delete; // but not with an integer

};

void f() {

    Z z1 { 1 }; // error! can't use int
    Z z2 { 1.0 }; // double is ok

}

一些更高级的用途=delete包括禁止堆栈或自由存储分配:

class FS_Only {
    ~FS_Only() = delete;  // disallow stack allocation
};

class Stack_Only {
    void* operator new(size_t) = delete;   // disallow heap allocation
};

...你明白了。希望这对某人有帮助!=delete可以帮助编写可读、无错误和优雅的代码。


编辑:

正如评论中正确指出的那样,现在无法删除对象,所以这毕竟FS_Only不是一个很好的用途。=delete

于 2013-09-17T05:15:51.500 回答