C++学习基础
C++学习计划
(1)基础语法(复习)——初步了解,基础编程
(2)核心编程——面向对象
(3)提高编程——泛型编程,STL
C++编程流程(Clion)
(1)创建项目
(2)创建文件
(3)编写代码
(4)运行程序
变量
作用:给一段指定的内存空间取名,以方便操作这段内存,管理内存空间
语法:数据类型 变量名 = 初始值;
注意:
1、C++关键字不能用做变量名标识符
常用的关键字如下:
2、标识符是有字母、数字、下划线组成
3、标识符的第一个字符只能是字母或者下划线,不能是数字
4、标识符区分大小写
建议:在给变量命名之时,最好能够见名知义
常量
常量的定义方式通常有两种:
1、#define 宏常量:#define 常量名 常量值
(注:#define定义的宏常量一般放在函数之外或者开头)
2、const修饰的变量:const 变量类型 变量名 = 变量值
(注:变量分全局变量和局部变量……)
示例代码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29
|
#include <iostream>
using namespace std;
#define Day 24 #define Week 7 #define Year 12
int main() {
const int Month = 30;
cout << "一天有" << Day << "小时" << endl; cout << "一周有" << Week << "天" << endl; cout << "一月有" << Month << "天" << endl; cout << "一年有" << Year << "月" << endl; return 0; }
|
数据类型
作用:在给变量分配内存时 ,需要给其一个合理的内存空间
1、整形
int:整形;
short:短整形
long:长整形
long long:长长整形
示例代码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24
|
#include<iostream>
using namespace std;
int main() {
short num1 = 32767;
int num2 = 32768;
long num3 = 10;
long long num4 = 10;
cout << "输出的数据类型" << endl; cout << "num1 = " << num1 << endl; cout << "num2 = " << num2 << endl; cout << "num3 = " << num3 << endl; cout << "num4 = " << num4 << endl; return 0; }
|
2、实型
(1)单精度:float
(2) 双精度:double
float 变量名 = 变量值f;
double 变量名 = 变量值;
示例代码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26
|
#include <iostream>
using namespace std;
int main() {
float f1 = 3.1415966f; cout << "f1 = " << f1 << endl;
double d1 = 3.1415966; cout << "d1 = " << d1 << endl;
cout << "f1占用的内存空间为" << sizeof(f1) << "个字节" << endl; cout << "d1占用的内存空间为" << sizeof(d1) << "个字节" << endl;
float f2 = 1e4; float f3 = 1e-4; cout << "f2 = " << f2 << endl; cout << "f3 = " << f3 << endl; }
|
3、字符型
作用:字符型变量用于显示单个字符
语法:char 变量名 = ‘变量值’;
代码实例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
|
#include <iostream>
using namespace std;
int main() {
char ch = 'A'; cout << "ch = " << ch << endl;
cout << "字符型变量所占内存大小为" << sizeof(ch) << "个字节" << endl;
cout << "所对应的ASCII码数值为" << (int) ch << endl; }
|