常量
/*
一、常量概念
1. 常量是固定值,在程序执行期间不会改变。这些固定的值,又叫做字面量;
2. 常量可以是任何的基本数据类型,可分为整型数字、浮点数字、字符、字符串和布尔值;
3. 常量就像是常规的变量,只不过常量的值在定义后不能进行修改。
二、常量类型
1. 整数常量
1)整数常量可以是十进制、八进制或十六进制的常量。前缀指定基数:0x 或 0X 表示十六进制,0 表示八进制,不带前缀则默认表示十进制。
2)整数常量也可以带一个后缀,后缀是 U 和 L 的组合,U 表示无符号整数(unsigned),L 表示长整数(long)。后缀可以是大写,也可以是小写,U 和 L 的顺序任意。
例:
212 合法,十进制整数
215u 合法,无符号整数
071 合法,八进制整数
078 不合法,八进制没有8
0xFF 合法,十六进制整数
032U 合法,无符号八进制整数
032UU 不合法,不能多个U
212l 合法,长整数
212ul 合法,无符号长整数
2. 浮点常量
1)浮点常量由整数部分、小数点、小数部分和指数部分组成;
2)可以使用小数形式或者指数形式来表示浮点常量;
3)当使用小数形式表示时,必须包含整数部分、小数部分,或同时包含两者;
4)当使用指数形式表示时, 必须包含小数点、指数,或同时包含两者;
5)带符号的指数是用 e 或 E 引入的。
例:
3.14 合法
3.14e 不合法,没有指数
3.14e1 合法,10的1次方,结果31.4
3.14e+1 合法,10的1次方,结果31.4
-3.14e+1 合法,结果-31.4
3.14e-1 合法,10的-1次方,结果0.314
3.14f 合法,单精度float类型
3f 不合法,没有小数部分
1e1 合法,结果10
1.0e1 合法,结果10
1.e1 合法,结果10,有小数点,有指数
3. 布尔常量
1)共两个值,true 代表真,false 代表假。
4. 字符常量
1)字符常量是括在单引号中,表示一个字符;
2)字符常量可以是一个普通的字符(例如 'A')、一个转义序列(例如 '\n'),或一个通用的字符(例如 '\u02C0');
3)常见转义字符
\\ \字符;
\' '字符;
\" "字符;
\n 换行符;
\ooo 八进制数;
\xhh 十六进制数;
5. 字符串常量
1)字符串字面值或常量是括在双引号 "" 中的,至少有两个字符,因为以\0字符结尾;
2)一个字符串包含类似于字符常量的字符:普通的字符、转义序列和通用的字符;
3)您可以使用 \ 做分隔符,把一个很长的字符串常量进行分行。
三、定义常量(两种方式)
1. 使用#define预处理器,本质,替换内容
格式:#define identifier value
identifier 标识符号,一般用大写 value 值
2. 使用const关键字
使用 const 前缀声明指定类型的常量
格式:const type variable = value;
const 是限定符,限制后面的变量值不能修改。
*/
#include <iostream>
using namespace std;
int main() {
// 1. 整数常量
cout<<212<<endl;
cout<<215u<<endl;
cout<<071<<endl;
// cout<<078<<endl; //不合法
cout<<0xFF<<endl;
cout<<032U<<endl;
// cout<<032UU<<endl; //不合法
cout<<212l<<endl;
cout<<212ul<<endl;
/*
输出:
212
215
57
255
26
212
212
*/
// 2. 浮点常量
cout<<3.14<<endl;
// cout<<3.14e<<endl; //不合法
cout<<3.14e1<<endl;
cout<<3.14e+1<<endl;
cout<<-3.14e+1<<endl;
cout<<3.14e-1<<endl;
cout<<3.14f<<endl;
// cout<<3f<<endl; //不合法
cout<<1e1<<endl;
cout<<1.0e1<<endl;
cout<<1.e1<<endl;
/*
输出:
3.14
31.4
31.4
-31.4
0.314
3.14
10
10
10
*/
// 3. 布尔常量
cout<<true<<endl;
cout<<false<<endl;
/*
输出:
1
0
*/
// 4. 字符常量
// cout<<''<<endl; // 错误
cout<<'A'<<endl; //A字符
cout<<'\0'<<endl; //空字符
cout<<'0'<<endl; //0字符
cout<<'a'<<endl;
cout<<'\n'<<endl; //换行符
cout<<'\\'<<endl; //\字符
cout<<'\''<<endl; //'字符
cout<<'\101'<<endl; //八进制,对应为十进制65,输出A
cout<<'\x41'<<endl; //十六进制,对应为十进制65,输出A
/*
输出:
A
0
a
\
'
A
A
*/
// 5. 字符串常量
cout<<"hello world";
cout<<"\n"<<endl; //字符串,包括两个字符 \n 和 \0
cout<<'\n'<<endl; //字符,只有一个字符
string s = "hello, \
world"; //可以用\使用长串分行,注意包含了第二行空格
cout<<s<<endl;
/*
输出:
hello world
hello, world
*/
return 0;
}