博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
C++之PIMPL模式
阅读量:6712 次
发布时间:2019-06-25

本文共 2238 字,大约阅读时间需要 7 分钟。

1 PIMPL解释

     PIMPL(Private Implementation 或 Pointer to Implementation)是通过一个私有的成员指针,将指针所指向的类的内部实现数据进行隐藏。

2 PIMPL优点

举例:

//x.hclass X{public:    void Fun();private:    int i; //add int i;};//c.h#include 
class C{public: void Fun();private: X x; //与X的强耦合};PIMPL做法://c.hclass X; //代替#include
class C{public: void Fun();private: X *pImpl; //pimpl};

1)降低模块的耦合。因为隐藏了类的实现,被隐藏的类相当于原类不可见,对隐藏的类进行修改,不需要重新编译原类。

2)降低编译依赖,提高编译速度。指针的大小为(32位)或8(64位),X发生变化,指针大小却不会改变,文件c.h也不需要重编译。

3)接口与实现分离,提高接口的稳定性。

    1、通过指针封装,当定义“new C”或"C c1"时 ,编译器生成的代码中不会掺杂X的任何信息。

    2、当使用C时,使用的是C的接口(C接口里面操作的类其实是pImpl成员指向的X对象),与X无关,X被通过指针封装彻底的与实现分离。

//c.cppC::C()pImpl(new X()){}C::~C(){     delete pImpl;     pImpl = NULL;}void C::Fun(){    pImpl->Fun();}//main#include 
int main(){ C c1; c1.Fun(); return 0;}

 

实例代码:

nestcalss.h

#ifndef __LINE_H__#define __LINE_H__//设计模式: PIMPL//1. 实现信息隐藏//2. 减小编译依赖, 可以用最小的代价平滑的升级库文件,//3. 接口与实现进行解耦class Line{public: 	Line(int,int,int,int);	~Line(); 	void printLine() const;private:	class LineImpl;private:	LineImpl * _pimpl;};#endif

  

nestclass.cc

#include "nestClass.h"#include 
#include
using std::cout;using std::endl;class Line::LineImpl{ class Point { public: Point(int ix = 0, int iy = 0) : _ix(ix) , _iy(iy) { cout << "Point(int=0, int=0)" << endl; } void print() const { cout << "(" << _ix << "," << _iy << ")"; } private: int _ix; int _iy; };public: LineImpl(int x1, int y1, int x2, int y2) : _p1(x1, y1) , _p2(x2, y2) { cout << "LineImpl(int,int,int,int)" << endl; } ~LineImpl() { cout << "~LineImpl()" << endl; } void printLine() const;private: Point _p1; Point _p2;};void Line::LineImpl::printLine() const{ _p1.print(); cout << " --> "; _p2.print(); cout << endl;}Line::Line(int x1, int y1, int x2, int y2): _pimpl(new LineImpl(x1, y1, x2, y2)){ cout << "Line(int,int,int,int)" << endl;}Line::~Line(){ delete _pimpl; cout << "~Line()" << endl;}void Line::printLine() const{ _pimpl->printLine();}

  

main.cc

#include "nestClass.h"#include 
using std::cout;using std::endl; int main(void){ Line line(1, 2, 3, 4); line.printLine(); return 0;}

  

 

转载于:https://www.cnblogs.com/cthon/p/9196258.html

你可能感兴趣的文章
ssh-copy-id命令解析
查看>>
2016年4月4日中项作业
查看>>
女孩适合学习嵌入式吗?
查看>>
逻辑思维题
查看>>
Docker安装及基础命令
查看>>
ARP欺骗
查看>>
输入一个字符串,统计该字符串中分别包含多少个数字,多少个字母,多少个其他字符...
查看>>
请求重定向sendRedirect()方法 和 请求转发forward()方法
查看>>
Oracle专题12之游标
查看>>
两句话笔记--架构学习之一:并发基础课程(2)
查看>>
LINUX概念与常识
查看>>
SqlServer 添加用户 添加角色 分配权限
查看>>
HBase解决Region Server Compact过程占用大量网络出口带宽的问题
查看>>
Shell编程(基础)
查看>>
CSS3的线性渐变(linear-gradient)
查看>>
环境变量
查看>>
K盘显示文件系统变没,要怎样恢复资料
查看>>
windows常用命令整理
查看>>
使用andbug的monitor命令
查看>>
php-cgi进程占用cpu资源过大原因分析及解决
查看>>