结构体权限修饰符类简介
Posted hs-pingfan
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了结构体权限修饰符类简介相关的知识,希望对你有一定的参考价值。
一、结构体
结构体:自定义的数据类型
1 struct student 2 { 3 public: // 结构成员缺省都默认为public,所以可以不加public 4 5 //private: // 私有的 6 // 成员变量 7 int number; // 学号 8 char name[100]; // 学生名 9 10 void func() // 成员函数 11 { 12 number++; 13 return; 14 } 15 16 } 17 18 // 若值需要通过函数传出去,需要通过引用传递,而不是值传递 19 // 效率低,实参传递给形参时,发生了内存内容的拷贝 20 void func(student tmpstu) // 形参用结构变量-值传递 21 { 22 ptmpstu.number = 2000; 23 strcpy_s(tmpstu.name , sizeof(tmpstu.name) , "who"); 24 } 25 26 27 void func1(student& tmpstu) // 引用传递 28 { 29 ptmpstu.number = 2000; 30 strcpy_s(tmpstu.name , sizeof(tmpstu.name) , "who"); 31 } 32 33 //用指向结构体的指针做函数参数 // 指针传递 34 void func2(student* ptmpstu) 35 { 36 ptmpstu->number = 2000; 37 strcpy_s(ptmpstu->name , sizeof(ptmpstu->name) , "who"); 38 } 39 40 int main() 41 { 42 // 定义结构体变量,这里可以省略struct,直接用结构名student 43 student student1; 44 student1.number = 1001; 45 strcpy_s(student1.name , sizeof(student1.name) , "zhangsan"); 46 cout << student1.number << endl; 47 cout << student1.name << endl; 48 49 // 调用成员函数 50 student1.func(); 51 52 func(student1); // 值传递 变量在函数内有效,出了函数自动释放 53 cout << student1.number << endl; // 值未被函数改变 54 cout << student1.name << endl; 55 }
C++ 中的结构和C中的结构有什么区别?
C++中的结构除具备了C中的所有功能外,还增加了很多扩展功能,其中最突出的扩展功能之一就是:C++中的结构不仅仅有成员变量,还可以在其中定义成员函数(方法)。
二、权限修饰符
public(公有),private(私有),protected(保护)
public:公共的意思,用这个修饰符修饰结构/类中的成员变量/成员函数,就可以被外部访问。一般我们需要能够被外界访问的东西就定位为public。就像是该类的外部接口一样。
private:私有的意思,用这个修饰符修饰结构/类中的成员变量/函数,只有被内部定义的成员函数才能使用。
三、类简介
类是用户自定义数据类型
结构与类的区别:
(1)类,只有在C++中才有这个概念,C中没有这个概念
(2)结构体用struct定义,类用class定义
在c中,我们定义一个属于该结构的变量,我们叫做结构变量
在C++中,我们定义一个属于该类的变量,我们叫做对象
说白了,结构体变量,类对象,都是一块能够存储数据并具有某种类型的内存空间。
(3)C++中,结构体和类极其类似,区别有两点
a)C结构体内部的成员变量及其成员函数,默认的访问级别都是public;
C++类内部的成员变量及其成员函数,默认的访问级别都是private。
b)C++结构体继承默认是public,而C++类的继承默认都是private。
额外补充:
(1)标准C++库里包含大量丰富的类和函数。
四、类的组织
书写规范:类的定义代码,一般放在头文件中,即.h文件中;类的实现代码一般放在源文件中,即.cpp文件中。
1 // student.h 文件 2 class student 3 { 4 public: // 结构成员缺省都默认为public,所以可以不加public 5 6 //private: // 私有的 7 // 成员变量 8 int number; // 学号 9 char name[100]; // 学生名 10 } 11 12 // student.cpp 文件 13 14 #include "student.h" 15 16 void student::func() // 成员函数 17 { 18 number++; 19 return; 20 } 21 22 // 主工程文件 23 #include "student.h" 24 int main() 25 { 26 // 定义类对象 27 student student1; 28 student1.number = 1001; 29 strcpy_s(student1.name , sizeof(student1.name) , "zhangsan"); 30 cout << student1.number << endl; 31 cout << student1.name << endl; 32 33 // 调用类的成员函数 34 student1.func(); 35 36 cout << student1.number << endl; 37 cout << student1.name << endl; 38 }
以上是关于结构体权限修饰符类简介的主要内容,如果未能解决你的问题,请参考以下文章