C++ 类的访问修饰符
数据隐藏是面向对象编程的重要特性之一,它允许防止程序的函数直接访问类类型的内部表示。对类成员的访问限制由类体中的带标签的 public、private, 和 protected 部分指定。关键字public、private和protected被称为访问修饰符。
一个类可以有多个带有public、protected或private标签的部分。每个部分在另一个部分标签或类体的右括号结束之前都有效。成员和类的默认访问级别是private。
class Base {
public:
// public members go here
protected:
// protected members go here
private:
// private members go here
};
公共成员
公共成员可以在类外部的任何地方但在程序内部访问。您可以设置和获取公共变量的值,而无需任何成员函数,如下面的示例所示 –
#include <iostream>
using namespace std;
class Line {
public:
double length;
void setLength( double len );
double getLength( void );
};
// Member functions definitions
double Line::getLength(void) {
return length ;
}
void Line::setLength( double len) {
length = len;
}
// Main function for the program
int main() {
Line line;
// set line length
line.setLength(6.0);
cout << "Length of line : " << line.getLength() <<endl;
// set line length without member function
line.length = 10.0; // OK: because length is public
cout << "Length of line : " << line.length <<endl;
return 0;
}
当上面的代码被编译和执行时,会产生以下结果-
Length of line : 6
Length of line : 10
私有成员
A 私有 成员变量或函数无法从类外部访问或查看。只有类和友元函数可以访问私有成员。
默认情况下,类的所有成员都是私有的,例如在以下类中, width 是一个私有成员,这意味着在你标记一个成员之前,它将被假设为私有成员-
class Box {
double width;
public:
double length;
void setWidth( double wid );
double getWidth( void );
};
实际上,我们在私有部分定义数据,并在公共部分定义相关函数,以便它们可以从类的外部调用,如下程序所示。
#include <iostream>
using namespace std;
class Box {
public:
double length;
void setWidth( double wid );
double getWidth( void );
private:
double width;
};
// Member functions definitions
double Box::getWidth(void) {
return width ;
}
void Box::setWidth( double wid ) {
width = wid;
}
// Main function for the program
int main() {
Box box;
// set box length without member function
box.length = 10.0; // OK: because length is public
cout << "Length of box : " << box.length <<endl;
// set box width without member function
// box.width = 10.0; // Error: because width is private
box.setWidth(10.0); // Use member function to set it.
cout << "Width of box : " << box.getWidth() <<endl;
return 0;
}
当以上代码被编译并执行时,将产生以下结果 –
Length of box : 10
Width of box : 10
受保护的成员
一个 受保护 的成员变量或函数与私有成员非常相似,但额外提供了一个好处,即它们可以在称为派生类的子类中访问。
你将在下一章中学习派生类和继承。现在你可以查看以下示例,我从一个父类 Box 派生出了一个子类 SmallBox 。
下面的示例与上面的示例类似,这里的 width 成员将可被其派生类SmallBox的任何成员函数访问。
#include <iostream>
using namespace std;
class Box {
protected:
double width;
};
class SmallBox:Box { // SmallBox is the derived class.
public:
void setSmallWidth( double wid );
double getSmallWidth( void );
};
// Member functions of child class
double SmallBox::getSmallWidth(void) {
return width ;
}
void SmallBox::setSmallWidth( double wid ) {
width = wid;
}
// Main function for the program
int main() {
SmallBox box;
// set box width using member function
box.setSmallWidth(5.0);
cout << "Width of box : "<< box.getSmallWidth() << endl;
return 0;
}
当上面的代码被编译和执行时,它产生以下结果 –
Width of box : 5