[C++]关键字,类与对象等——喵喵要吃C嘎嘎2-LMLPHP

目录

前言

auto关键字(C++11)

基于范围的for循环(C++11)

指针空值nullptr(C++11)

面向过程和面向对象认识

类的引入

类的定义

类的两种定义方式:

类的访问限定符

封装

类的作用域

总结


前言


auto关键字(C++11)


基于范围的for循环(C++11)

void TestFor()
{
int array[] = { 1, 2, 3, 4, 5 }; for(auto& e : array)
e *= 2;
for(auto e : array)
cout << e << " ";

return 0;
}

范围for的使用

	void TestFor(int array[])
	{
	for(auto& e : array)
	cout<< e <<endl;
	}

指针空值nullptr(C++11)


面向过程和面向对象认识


类的引入

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;
}

C语言结构体的定义,可以改成class,去试试吧!


类的定义

class className
{
// 类体:由成员函数和成员变量组成
}; // 一定要注意后面的分号

[C++]关键字,类与对象等——喵喵要吃C嘎嘎2-LMLPHP

[C++]关键字,类与对象等——喵喵要吃C嘎嘎2-LMLPHP[C++]关键字,类与对象等——喵喵要吃C嘎嘎2-LMLPHP

// 我们看看这个函数,是不是很僵硬?
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;
};


类的访问限定符

[C++]关键字,类与对象等——喵喵要吃C嘎嘎2-LMLPHP


封装


类的作用域

class Person
{
public:
void PrintPersonInfo(); 
private:
char _name[20]; char _gender[3]; int _age;
};
//  这里需要指定PrintPersonInfo是属于Person这个类域
void Person::PrintPersonInfo()
{
cout << _name << " "<< _gender << " " << _age << endl;
}

总结


[C++]关键字,类与对象等——喵喵要吃C嘎嘎2-LMLPHP

11-04 10:15