1 当我们需要编写一个子函数时,我们会定义一个.cpp源代码文件和一个.h头文件,此时最好在源代码.cpp中也导入 #include'***.h',避免当.cpp源文件被修改时,编译出现沉默错误,无法排查。
2 我们导入的头文件,若是<>括号,则表示为去系统自带的include包里面去找,若是''符号,则表示从当前文件路径区寻找。系统寻址的优先级是先当前目录,再去往系统自带的库,所以<>可以使用'',且导入的 #include './../***.h' 也是可以实现的。
3 pragma once,当链接的代码中,MyClass.h被多次链接时,就会报错,此时添加这行代码就会解决代码被多次引用的问题。或者使用#if nodef *** #endif实现相同的结果。
5 C++编译原理,先对代码进行预处理,将所链接的库导入主程序中,再进行编译,生产可执行文件。
6 mutable用于修饰某些可变的值,使得该变量在const修饰的函数的一个修改。
const修饰函数,不同的位置表示的意义不同。
const int& fun(int& a); //修饰返回值
int& fun(const int& a); //修饰形参
int& fun(int& a) const{} //const成员函数
7 new和operator new, new会调用类内的构造函数,malloc不会,new函数在分配内存时
char arr[] = "hell0";
const char* p = "hello";
char* pp = "world!"; /报错,因为字符串保存在常量区,不允许修改,需要const进行修饰,但在C中是可行的。
都不可更改
const int ca = 1; //仍然是变量,运行时确定
constexpr int expra = 1; //常量,编译期间确定 可计算出值 与模板使用连接
#include <iostream>
using namespace std;
class demo{
public:
//构造函数 可重载
demo():num(new int(0)){
cout<<"construct!"<<endl;
}
//拷贝构造函数
demo(const demo &d):num(new int(*d.num)){
cout<<"copy construct!"<<endl;
}
//添加移动构造函数,将函数移为己用
demo(demo &&d):num(d.num){
d.num = NULL;
cout<<"move construct!"<<endl;
}
//析构函数,需使用虚函数
~demo(){
cout<<"class destruct!"<<endl;
}
private:
int *num;
};
demo get_demo(){
return demo();
}
int main(){
demo a = get_demo();
return 0;
}