标签:item 常量 文件中 a10 存储 www namespace seed length
1、常量定义(const)
例:const int LENGTH = 10;
2、静态变量(static):
该变量在全局数据区分配内存;
静态局部变量在程序执行到该对象的声明处时被首次初始化,即以后的
函数调用不再进行初始化;
静态局部变量一般在声明处初始化,如果没有显式初始化,会被程序自动初始化为0;
它始终驻留在全局数据区,直到程序运行结束。但其
作用域为局部作用域,当定义它的函数或语句块结束时,其作用域随之结束;
例:
#include<iostream>
void func(void);
static int count = 10;
int main()
{
while (count--)
{
func();
}
return 0;
}
void func(void) {
static int i = 5;
i++; std::cout << "变量i为" << i;
std::cout << ",变量count为" << count<< std::endl;
}
---------------------------------
变量i为6,变量count为9
变量i为7,变量count为8
变量i为8,变量count为7
变量i为9,变量count为6
变量i为10,变量count为5
变量i为11,变量count为4
变量i为12,变量count为3
变量i为13,变量count为2
变量i为14,变量count为1
变量i为15,变量count为0
---------------------------------
static int i = 5;
改为 int i = 5;
---------------------------------
结果:
变量i为6,变量count为9
变量i为6,变量count为8
变量i为6,变量count为7
变量i为6,变量count为6
变量i为6,变量count为5
变量i为6,变量count为4
变量i为6,变量count为3
变量i为6,变量count为2
变量i为6,变量count为1
变量i为6,变量count为0
3、extern 可置于变量或者函数前,以表示变量或者函数的定义在别的文件中。另外,extern也可用来进行链接指定。
例:
main.ccp:
#include <iostream>
extern int count;
void write_extern(void)
{
std::cout << "Count is " << count << std::endl;
}
------------------------------------
support.cpp:
#include <iostream>
extern int count;
void write_extern(void)
{
std::cout << "Count is " << count << std::endl;
}
4、生成随机数rand()
1.srand函数是随机数发生器的初始化函数。原型:void srand(unsigned seed);
(1)为了防止随机数每次重复,常常使用系统时间来初始化,即使用 time函数来获得系统时间,然后将time_t型数据转化为(unsigned)型再传给srand函数,即:srand((unsigned) time(&t))
(2)还有一个经常用法,不需要定义time_t型t变量, 即: srand((unsigned)time(NULL)); 直接传入一个空指针
--------------------------------------
#include <iostream>
#include <time.h>
using namespace std;
int main() {
int i, j;
srand((unsigned)time(NULL));
for (i = 0; i < 10; i++){
j = rand();
std::cout << j << std::endl;
}
return 0;
}
--------------------------------------
注:计算机并不能产生真正的随机数,而是已经编写好的一些无规则排列的数字存储在电脑里,把这些数字划分为若干相等的N份,并为每份加上一个编号用srand()函数获取这个编号,然后rand()就按顺序获取这些数字,当srand()的参数值固定的时候,rand()获得的数也是固定的,所以一般srand的参数用time(NULL),因为系统的时间一直在变,所以rand()获得的数,也就一直在变,相当于是随机数了。(原文链接:https://blog.csdn.net/jx232515/article/details/51510336)
5、string str ("guozehui");跟string str = "guozehui";区别
(1)str.c_str()可以获取这个字符串的首地址
(2)string str = "ABC"是使用"ABC"为值来初始化一个
string类
6、函数定义中return_type,当无返回值时,用void
如:int namestr(void)
7、使用time_t类型变量,如:time_t t;
原文:https://blog.csdn.net/a1059682127/article/details/80505861
const
标签:item 常量 文件中 a10 存储 www namespace seed length
原文地址:https://www.cnblogs.com/qq2806933146xiaobai/p/12201265.html