- 关注博主,后期持续更新系列文章
- 如果有错误感谢请大家批评指出,及时修改
- 感谢大家点赞👍收藏⭐评论✍
C++入门 | 类和对象 | 类的引入、struct&class的区别、类的定义
文章编号:C++入门 / 05
一、类的引入
C语言结构体中只能定义变量,在C++中,结构体内不仅可以定义变量,也可以定义函数。
在数据结构中,用C语言方式实现的栈,结构体中只能定义变量;现在以C++方式实现,会发现struct中也可以定义函数
在C++中更喜欢用class来代替struct
#include<iostream> using namespace std; typedef int DataType; struct Stack { void Init(size_t capacity) { _array = (DataType*)malloc(sizeof(DataType) * capacity); if (nullptr == _array) { perror("malloc申请空间失败"); return; } _capacity = capacity; _size = 0; } void Push(const DataType& data) { // 扩容 _array[_size] = data; ++_size; } DataType Top() { return _array[_size - 1]; } void Destroy() { if (_array) { free(_array); _array = nullptr; _capacity = 0; _size = 0; } } DataType* _array; size_t _capacity; size_t _size; }; int main() { Stack s; s.Init(10); s.Push(1); s.Push(2); s.Push(3); cout << s.Top() << endl; s.Destroy(); return 0; }
二、struct和class的区别是什么?
C++需要兼容C语言,所以C++中struct可以当成结构体使用。另外C++中struct还可以用来定义类。和class定义类是一样的,区别是struct定义的类默认访问权限是public,class定义的类默认访问权限是private。
注意:在继承和模板参数列表位置,struct和class也有区别,后序文章会提到。
三、类的定义
1. 类的简介
class className { // 类体:由成员函数和成员变量组成 }; // 一定要注意后面的分号
在C++中,class为定义类的关键字,ClassName为类的名字,{ } 中为类的主体,注意类定义结束时后面分号不能省略。
类体中内容称为类的成员:类中的变量称为类的属性或成员变量; 类中的函数称为类的方法或者成员函数。
2. 类的两种定义方式
一般情况下,更期望采用第二种方式。
2.1 声明和定义全部放在类体中
声明和定义全部放在类体中,需注意:成员函数如果在类中定义,编译器可能会将其当成内联函数处理。
class Year { public: void print() { cout << _year << _month << _day << endl; } private: int _year; //年 int _month; //月 int _day; //日 };
2.2 声明和定义分开放
类声明放在.h文件中,成员函数定义放在.cpp文件中,注意:成员函数名前需要加类名::
// Year.h 文件中 #pragma once #include<iostream> using namespace std; class Year { public: void print(); private: int _year; //年 int _month; //月 int _day; //日 }; //------------------------------------------------------------------------------------------------------------------------------------------------------- // Year.cpp 文件中 #include"Year.h" void Year::print() { cout << _year << _month << _day << endl; }
注意:
3. 成员变量命名规则的建议
结论:在成员变量命名时可以参考上面(2.2 声明和定义分开放)的命名方式(_year)命名
// 我们看看这个函数,是不是很僵硬? class Date { public: void Init(int year) { // 这里的year到底是成员变量,还是函数形参? year = year; } private: int year; }; // 所以一般都建议这样 class Date { public: void Init(int year) { _year = year; } private: int _year; }; // 或者这样 class Date { public: void Init(int year) { mYear = year; } private: int mYear; }; // 其他方式也可以的,主要看公司要求。一般都是加个前缀或者后缀标识区分就行。