1.const数据类型和constexpr的运用
const定义的值不能被改变,在整个作用域中都保持固定,当然,可以通过函数以形参的形式输入函数。代码如下:
#include <iostream>
using namespace std;constexpr int fibonacci(const int n) {return n == 1 || n == 2 ? 1 : fibonacci(n - 1) + fibonacci(n - 2);
}int foo(int i) {return i;
}int mains() {const int n = 10;int num = 10;num += 1; //1.num值可以修改//n+=1 //2.n值不可以修改,会报错cout<<fibonacci(n)<<endl; //3.n可以以形参的形式在函数内参与计算// 4,5为数组的定义,数组的长度必须为常数int num1[fibonacci(n)+1];//4.这种传入正确//5.int num2[foo(2)];这种传入错误,程序会报错return 0;
}
2.vector数据类型
参考博客vector类型介绍-CSDN博客。
标准库:集合或动态数组,我们可以放若干对象放在里面。vector他能把其他对象装进来,也被称为容器.如
(1)vector<int> vjihe; // 表示这个集合对象保存的是int型数据; // <int>:模板,vector本身就是个类模板,<int>实际上就是类模板的实例化过程。
(2)vector<student> vstudlist;// 存放学生类型的集合;
(3)vector<vector<string>> strchuan; // 相当于二维的字符串;
(4)vector<int *> vjihe2 // 不能向集合中装引用;
(5)vector<int &> vjihe3; // 引用知识一个别名,不是对象;
(6)vector<string> mystr; // 创建一个string类型的空的集合;
//push_back()
mystr.push_back(“abc”);
mystr.push_back(“efg”);
(7)元素拷贝
vector<string> mystr2(mystr); // 将mystr元素拷贝给mystr2vector<string> mystr3 = mystr; // 将mystr元素拷贝给mystr3
(8)用列表初始化方法给值,用{}括起来
vector<string> mystr4 = {“aaa”,”bbb”,”ccc”};
(9)创建指定数量的元素
vector<int> ijihe(15,-200);// 创建15个int类型的元素,每个元素的值为-200
vector<string> sjihe(15,”hello”);// 创建15个int类型的元素,每个元素的值为hello
vector<int> ijihe2(15); // 15个元素,每一个元素值默认为0
vector<string> sjihe(15); // 15个元素,每一个元素值默认为空
等等,代码如下:
#include <iostream>
#include <vector>
using namespace std;int main2() {vector<int> vec = { 1,2,3,4 };vec.push_back(1);//在vec后面添加一个元素int nums = vec.size();//返回vec元素的个数for (int i = 0; i < nums; i++) {cout << vec[i] << endl;//打印vec的元素}cout << 1 << endl;return 0;