* **
C++的特性
**
1.对全局变量的检测增强,可以检测全局变量的重定义,而C语言检测不出来。
2.函数检测增强,// C中,返回值没有检测,函数形参的个数和类型没有检测。
3.类型转换的检测加强
4.struct 增强 ,C++ 下,可以放函数,// 在C语言下面,结构体不可以有函数。
创建结构体变量时的时候,必须添加关键字 struct.而C++可以简化关键字 struct.
5.bool 类型的增加,可以代表真(true=1)和假(false=0)。/ 而C语言中没有。
sizeof(boll)=1 byte
6.三目运算符的增强,在C++下返回的是变量,在C下面返回的是值
这两种类型比较 a > b ? a:b; a > b ? a:b=100;
7.const 的增强,在c++下,const修饰的的变量才称为常量,可以初始化数组。
在C语言下 const是伪常量,不允许初始化数组。
8. 在C语言下,const 修饰的全局变量默认是外部链接属性。
在C++下面,默认是内部属性,只在本文件中找,要加 extern 外部申明,提高作用域。
*/
//时间:2021年4月27日13:38:39
//输入输出流,读取和输入数据。
#include<iostream>
#include<cstdlib> //decalre "system()"
using namespace std;
int main()
{
int number;
cout << "Enter a decimal number: ";
cin >> number;
cout << "Value in octal is 0 " << oct << number << endl;
cout << "Value in hex = Ox " << hex << number << endl;
system("pause");
return EXIT_SUCCESS;
}
//2021年4月27日13:38:52
//字符串简介
// The basics of the standard c++ string class!
#include<iostream>
#include<string>
using namespace std;
int main()
{
string s1, s2;//Empty string
string s3 = "hello,world!"; //Initialized
string s4("I am ");
s2 = "Today";
s1 = s3 + " " + s4;
s1 += "8 ";
cout << s1 + s2 + "!" << endl;
return EXIT_SUCCESS;
}
//文件的读写 2021年4月27日14:02:45
//Copy one file to another ,a line at a time.
#include<iostream>
#include<fstream>
#include<string>
using namespace std;
int main()
{
ifstream in("scopy.cpp");// Open for reading
ofstream out("Scopy2.cpp");// Open for writing.
string s;
while (getline(in, s))
cout << s << "\n"; // ??????
return EXIT_SUCCESS;
}
#include<iostream>
#include<string>
using namespace std;
struct Person
{
string name;
int age;
};
void test1()
{
const Person p;
//p->age = 10; 不能直接修改。
Person* pp = (Person*)&p;//结构体取地址,可间接修改(临时分配在栈上内存)。
(*pp).age = 10;
pp->name = "Tom";
cout << "name: " << p.name << " age: " << p.age << endl;
}
void test2()
{
int a = 100;
int& b = a; //引用的目的就是起别名。 &别名=原名
cout << "a= " << a << endl;
cout << "b= " << b << endl;
}
void test3() //对数组建立的引用
{
int arr[10] = {0};
int(&parr)[10] = arr;// 01.引用
for (size_t i = 0; i <10; i++)
{
arr[i] = i;
}
for (size_t i = 0; i <10; i++)
{
cout << "arr= " << parr[i] << endl;//用引用打印
}
//02 可以先定出类型,在通过类型,定义引用。
typedef int(arr_type)[10];
arr_type&pay = parr;
for (int i = 0; i < 10; i++)
{
cout << pay[i] << endl;
}
}
void swap(int &a,int &b)//采用引用交换两个数。
{
int tem = a;
a= b;
b = tem;
}
void test4()
{
int c= 10;
int d = 20;
swap(c, d);
cout << "c= " << c << endl;
cout << "d= " << d << endl;
}
int main()
{
test1();// Const 间接修改修饰的常属性变量。
test2();// 引用。
test3();//数组的引用。
test4();//引用=传址调用。
return EXIT_SUCCESS;
}
C++特性相关
最新推荐文章于 2024-10-31 20:10:41 发布