1  缺省函数

设计一个类,没有成员函数 (member function),只有成员数据 (member data)

class DataOnly {
private:
std::string strName;  // member data
int   iData;
};

1.1  特殊成员函数

C++98 编译器会为其隐式的产生四个函数:缺省构造函数析构函数拷贝构造函数拷贝赋值算子

  而 C++11 编译器,除了产生这四个函数外,还会多产生两个函数:移动构造函数移动赋值算子

#include <iostream>

class DateOnly
{
private:
std::string strName;
int iDate;
public:
DateOnly();
DateOnly(std::string _str, int _iDate);
~DateOnly(); DateOnly(const DateOnly& rhs);
DateOnly& operator=(const DateOnly& rhs); DateOnly(const DateOnly&& rhs);
DateOnly& operator=(const DateOnly&& rhs);
}; DateOnly::DateOnly(std::string _str, int _iDate) :strName(_str), iDate(_iDate){} DateOnly::DateOnly(const DateOnly& rhs)
{
strName = rhs.strName;
iDate = rhs.iDate;
} DateOnly& DateOnly::operator=(const DateOnly& rhs)
{
this->strName = rhs.strName;
this->iDate = rhs.iDate;
return *this;
}

1.2  两个实现形式

缺省构造函数,是为了初始化类的成员数据,相当于如下形式:

DataOnly::DataOnly(const DataOnly &orig): strName(orig.strName), iData(orig.iData) { }

拷贝赋值算子的实现,则相当于如下形式:

 
DataOnly& DataOnly::operator=(const DataOnly &rhs)
{
strName = rhs.strName; // calls the string::operator=
iData = rhs.iData; // uses the built-in int assignment return *this; // return a reference to this object
}
 

结尾为何返回 *this,可以参见另一篇博文 C++ 之 重载赋值操作符  中的 “1.1  链式赋值”

2  禁止缺省函数

作为开发者,如果不想让用户使用某个类成员函数,不声明该函数即可;但对于由编译器自动产生的特殊成员函数 (special member fucntions),则是另一种情况。

例如,设计一个树叶类,如下所示:

class LeafFromTree{ ... };

莱布尼茨说过,“世上没有两片完全相同的树叶” (Es gibt keine zwei Blätter, die gleich bleiben),因此,对于一片独一无二的树叶,下面的操作是错误的。

LeafFromTree  leaf1;
LeafFromTree leaf2;
LeafFromTree Leaf3(Leaf1); // attempt to copy Leaf1 — should not compile!
Leaf1 = Leaf2; // attempt to copy Leaf2 — should not compile!

由以上代码可知,此时需要避免使用 “拷贝构造函数” 和 “拷贝赋值算子”

2.1  私有+不实现

C++98 中,可声明这些特殊成员函数为私有型 (private),且不实现该函数,具体如下:

class LeafFromTree{
private:
LeafFromTree( const LeafFromTree& );        // not defined
LeafFromTree & operator=( const LeafFromTree& ); // not defined
};

程序中如果调用了 LeafFromTree 类的拷贝构造函数 (或拷贝赋值操作符),则在编译时,会出现链接错误 (link-time error)

为了将报错提前到编译时 (compile time),可增加了一个基类 Uncopyable,并将拷贝构造函数和拷贝赋值算子声明为私有型

 
class Uncopyable {
protected:       
Uncopyable() {}    // allow construction and destruction of derived objects...
~Uncopyable() {}
private:
Uncopyable(const Uncopyable&);  // ...but prevent copying
Uncopyable& operator=(const Uncopyable&);
};
 

而 LeafFromTree 则私有继承自 Uncopyable 基类

// class no longer declares copy ctor or copy assign operator
class LeafFromTree: private Uncopyable { };

2.2  delete 关键字

C++11 中比较简单,只需在想要 “禁止使用” 的函数声明后加 “= delete”,需要保留的则加 "= default" 或者不采取操作

 
class LeafFromTree{
public:
  LeafFromTree() = default;
  ~LeafFromTree() = default;   LeafFromTree( const LeafFromTree& ) = delete;  // mark copy ctor or copy assignment operator as deleted functions
  LeafFromTree & operator=( const LeafFromTree &) = delete;
};
 

3  delete 的扩展

  C++11 中,delete 关键字可用于任何函数,不仅仅局限于类成员函数

3.1  函数重载

在函数重载中,可用 delete 来滤掉一些函数的形参类型,如下:

bool isLucky(int number);        // original function
bool isLucky(char) = delete; // reject chars
bool isLucky(bool) = delete; // reject bools
bool isLucky(double) = delete; // reject doubles and floats

  这样在调用 isLucky 函数时,如果参数类型不对,则会出现错误提示

if (isLucky('a')) …     // error !    call to deleted function
if (isLucky(true)) … // error !
if (isLucky(3.5)) … // error !

3.2  模板特化

在模板特例化中,也可以用 delete 来过滤一些特定的形参类型。

例如,Widget 类中声明了一个模板函数,当进行模板特化时,要求禁止参数为 void* 的函数调用。

如果按照 C++98 的 “私有不实现“ 思路,应该是将特例化的函数声明为私有型,如下所示:

 
class Widget {
public:
template<typename T>
void processPointer(T* ptr) { … }
private:
template<>
void processPointer<void>(void*); // error!
};
 

问题是,模板特化应该被写在命名空间域 (namespace scope),而不是类域 (class scope),因此,该方法会报错。

而在 C++11 中,因为有了 delete 关键字,则可以直接在类域外,将特例化的模板函数声明为 delete, 如下所示:

 
class Widget {
public:
template<typename T>
void processPointer(T* ptr) { … }
}; template<>
void Widget::processPointer<void>(void*) = delete; // still public, but deleted
 

这样,当程序代码中,有调用 void* 作形参的 processPointer 函数时,则编译时就会报错。

C++11 之 " = delete "的更多相关文章

  1. C++11 之 &quot; = delete &quot;

    1  缺省函数 设计一个类,没有成员函数 (member function),只有成员数据 (member data) class DataOnly { private: std::string st ...

  2. Ubuntu14.04下安装和&quot;激活&quot;Office2010ProPlus与Visio2010(15.11.20Updated)

    本人用Ubuntu的时候全然没有打游戏的欲望,故而能够更高效的工作. 尽管说LibreOffice.WPS等等有Ubuntu版本号,可是用着还是没有微软的Office顺手,故而折腾了一下怎样安装Off ...

  3. Sharepoint 2013 左右&quot;SPChange&quot;一个简短的引论

    于SharePoint于,我们经常需要获得这些更改项目,竟api为我们提供SPChange物.下列,在通过我们的目录资料这一目标. 1.创建测试列表,名字叫做"SPChangeItems&q ...

  4. 设置android:supportsRtl=&quot;true&quot;无效问题

     今天解bug时,遇到这样一个问题:   问题描写叙述:切换系统语言为阿拉伯文时,actionbar布局没有变为从右向左排列.   于是,我在Androidmanifest.xml文件里的 appli ...

  5. 都div在所有li的html()值被设置&quot;哈哈&quot;,当点击设置&quot;我被点击&quot;,其余的还是不点击设置“哈哈”

    <1> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://w ...

  6. u-boot: Error: Can&#39;t overwrite &quot;ethaddr&quot;

    When try to execute following command, It reports error as following: --->8--- U-Boot> setenv ...

  7. 11gR2 Database Services for &quot;Policy&quot; and &quot;Administrator&quot; Managed Databases (文件 ID 1481647.1)

    In this Document   _afrLoop=1459311711568804&id=1481647.1&displayIndex=6&_afrWindowMode= ...

  8. &quot;CoolReaper&quot; --酷派手机后门

    文章转自:http://drops.wooyun.org/tips/4342 注:译文未获得平底锅授权,纯属学习性质翻译 原文:https://www.paloaltonetworks.com/con ...

  9. JS 循环遍历JSON数据 分类: JS技术 JS JQuery 2010-12-01 13:56 43646人阅读 评论(5) 收藏 举报 jsonc JSON数据如:{&quot;options&quot;:&quot;[{

    JS 循环遍历JSON数据 分类: JS技术 JS JQuery2010-12-01 13:56 43646人阅读 评论(5) 收藏 举报 jsonc JSON数据如:{"options&q ...

  10. UVa 127 - &quot;Accordian&quot; Patience POJ 1214 链表题解

    UVa和POJ都有这道题. 不同的是UVa要求区分单复数,而POJ不要求. 使用STL做会比較简单,这里纯粹使用指针做了,很麻烦的指针操作,一不小心就错. 调试起来还是很费力的 本题理解起来也是挺费力 ...

随机推荐

  1. Pascal编译器大全(非常难得)

    http://www.pascaland.org/pascall.htm Some titles (french) : Compilateurs Pascal avec sources = compi ...

  2. liunx下tomcat启动报错

    liunx下tomcat启动 Cannot find ./catalina.sh 2013-08-23 11:50 1521人阅读 评论(0) 收藏 举报 Cannot find ./catalina ...

  3. Linux功能-RPM命令详解

    一.概述 RPM是RedHat Package Manager(RedHat软件包管理工具)类似Windows里面的“添加/删除程序”,用RPM包方式来发布软件变得越来越流行,主要的原因是这种软件发布 ...

  4. ios绘图时的坐标处理

    在iOS中,进行绘图操作时,一般主要是在UIView:drawRect中调用 UIGraphicsBeginImageContextWithOptions等一系列函数,有时候直接画图就行,比如UIIm ...

  5. 使用git对unity3d项目进行版本控制

    http://stackoverflow.com/questions/18225126/how-to-use-git-for-unity-source-control The following is ...

  6. openfire的配置

    Openfire 采用Java开发,开源的实时协作(RTC)服务器基于XMPP(Jabber)协议.Openfire安装和使用都非常简单,并利用Web进行管理.单台服务器可支持上万并发用户.所以常常被 ...

  7. Android开发学习笔记:浅谈GridView

    GridView(网格视图)是按照行列的方式来显示内容的,一般用于显示图片,图片等内容,比如实现九宫格图,用GridView是首选,也是最简单的.主要用于设置Adapter. GridView常用的X ...

  8. UVa 11542 (高斯消元 异或方程组) Square

    书上分析的太清楚,我都懒得写题解了.=_=|| #include <cstdio> #include <cstring> #include <cmath> #inc ...

  9. UVa 10129 Play On Words【欧拉道路 并查集 】

    题意:给出n个单词,问这n个单词能否首尾接龙,即能否构成欧拉道路 按照紫书上的思路:用并查集来做,取每一个单词的第一个字母,和最后一个字母进行并查集的操作 但这道题目是欧拉道路(下面摘自http:// ...

  10. listagg 函数

    listagg 函数--oracle 11g release 2 转载:http://xpchild.blog.163.com/blog/static/10180985920108485721969/ ...