1. 获取数组元素个数
template<class T> inline size_t GetCount(T *array) {
return sizeof(array) / sizeof(T);
}
2. 快速排序
(1)
std::sort
#include <algorithm>
#include <functional>
using namespace std;
int main() {
int a[] = {1, 3, 2, 9, -4};
sort(a, a + 5); // 从小到大排序
sort(a, a + 5, less<int>()); // 与上一条语句相同
sort(a, a + 5, greater<int>()); // 从大到小排序
return 0;
}
(2)
qsort
#include <cstdlib>
template<class T> inline int Greater(const void *a, const void *b) {
return *(T *)a - *(T *)b;
}
template<class T> inline int Less(const void *a, const void *b) {
return *(T *)b - *(T *)a;
}
int main() {
int a[] = {1, 4, 3, -13734, 1e3};
qsort(a, 5, Greater<int>); // 从大到小
qsort(a, 5, Less<int>); // 从小到大
}
3. 数组赋值
(1)
std::fill
#include <algorithm>
using namespace std;
int main() {
int a[105];
fill(a, a + 105, 0); // 此时 a 数组的所有元素的值为 0
fill(a, a + 105, 0x7FFFFFFF); // 此时 a 数组的所有元素的值为 0x7FFFFFFF(int最大值)
return 0;
}
(2)
memset
PS: 不推荐此方法,因为只能赋值为 0 和 -1
#include <cstring>
int main() {
int a[105];
memset(a, 0, sizeof(a)); // 此时 a 数组的所有元素的值为 0
memset(a, -1, sizeof(a)); // 此时 a 数组的所有元素的值为 -1
memset(a, 1, sizeof(a)); // 此时 a 数组的所有元素的值为 16843009
// 至于为什么为 16843009,这里就不多说了,有意者请自行百度
}
4. 字符串操作
(1)
cstring
(
string.h
) 头文件 PS: 不推荐,因为操作麻烦,容易出错
#include <cstring>
char s1[] = "Hello", s2[] = "World";
strcmp(s1, s2); // 比较字符串
strcpy(s1, s2); // 复制字符串
strcat(s1, s2); // 拼接字符串
// cstring ( string.h ) 里的函数还有很多,这里就不一一介绍了
(2)
std::string
PS: 推荐,方便操作,运算符操作更易理解
#include <string>
#include <iostream>
using namespace std;
string s1, s2 = "World"; // 定义 s1 和 s2,并初始化 s2
s1 = "Hello"; // 将 s1 赋值为 "Hello"
// 比较字符串:
s1 > s2;
s1 < s2;
s1 == s2;
// 复制字符串:
s1 = s2; // 把 s1 的值赋给 s2
s2 = s1; // 把 s2 的值赋给 s1
// 读取字符串
getline(cin, s1, delim); // 读取 s1,delim 是你规定的结束符,比如 '\n'就是回车结束,
// ' '就是空格结束
// 注意:getline 函数是定义在 string 里的,而不是在 iostream 里的
// 输出字符串:
cout << s1 << endl; // 输出 s1 加换行
5. 文件输入、输出
(1)
freopen
PS: 推荐,这样只需要2条语句就可以把所有输入输出重定向到文件
#include <cstdio>
int main() {
// 假设从 in.in 读取,输出至 out.out
freopen("in.in", "r", stdin); // "r" 的意思是 read,读取
freopen("out.out", "w", stdout); // "w" 的意思是 write,写入
int a;
scanf("%d", &a); // 从 in.in 读取一个 int 类型的数
printf("%d", a); // 将这个 int 类型数输出至 out.out
fclose(stdin); fclose(stdout); // 这两条 fclose 可加可不加
return 0;
}
(2)
FILE*
PS: 推荐,可以同时在控制台和不同的文件进行独立输入输出,互不干扰
#include <cstdio>
int main() {
// 假设从 in.in 读取,输出至 out.out
FILE *in = fopen("in.in", "r"), *out = fopen("out.out", "w");
int a;
fscanf(in, "%d", &a); // 表示从 in.in 里读入一个 int 类型的数
fprintf(out, "%d", a); // 表示输出这个 int 类型数到 out.out
printf("OK!\n"); // 表示在控制台中输出 OK!,之后换行
fclose(in); fclose(out); // 关闭文件,否则其他程序无法读取,
// 这与 freopen 不同,这里必须加 fclose
return 0;
}
(3)
std::ifstream
std::ofstream
std::fstream
PS: 推荐,运用像
cin
、
cout
那样的流来输入输出
这里就不多说了,有意者可百度
相信看了那么多内容,大家都差不多会运用这些代码了
如果各位觉得有帮助,请关注一下或点个赞,如果觉得没帮助,那也请不要在评论区里喷我
如果您觉得还有可补充的,欢迎在评论区里补充,如果您还有问题,记得给我留言哦