原文: https://beginnersbook.com/2017/09/cpp-encapsulation/

封装是将数据成员和函数组合在一个称为类的单个单元中的过程。这是为了防止直接访问数据,通过类的函数提供对它们的访问。它是面向对象编程(OOP)的流行特性之一,它有助于数据隐藏

如何在类上实现封装

为此:

1)将所有数据成员设为私有。

2)为每个数据成员创建公共设置器和获取器函数,使设置器设置数据成员的值,获取器获取数据成员的值。

让我们在一个示例程序中看到这个:

C++ 中的封装示例

这里我们有两个数据成员numch,我们已将它们声明为私有,因此它们在类外无法访问,这样我们就隐藏了数据。获取和设置这些数据成员的值的唯一方法是通过公共设置器和获取器函数。

  1. #include<iostream>
  2. using namespace std;
  3. class ExampleEncap{
  4. private:
  5. /* Since we have marked these data members private,
  6. * any entity outside this class cannot access these
  7. * data members directly, they have to use getter and
  8. * setter functions.
  9. */
  10. int num;
  11. char ch;
  12. public:
  13. /* Getter functions to get the value of data members.
  14. * Since these functions are public, they can be accessed
  15. * outside the class, thus provide the access to data members
  16. * through them
  17. */
  18. int getNum() const {
  19. return num;
  20. }
  21. char getCh() const {
  22. return ch;
  23. }
  24. /* Setter functions, they are called for assigning the values
  25. * to the private data members.
  26. */
  27. void setNum(int num) {
  28. this->num = num;
  29. }
  30. void setCh(char ch) {
  31. this->ch = ch;
  32. }
  33. };
  34. int main(){
  35. ExampleEncap obj;
  36. obj.setNum(100);
  37. obj.setCh('A');
  38. cout<<obj.getNum()<<endl;
  39. cout<<obj.getCh()<<endl;
  40. return 0;
  41. }

输出:

100
A