本章我们来学习一下C++中的神奇的auto和for,此外,我们补充一下C++中代表空指针的关键字。
目录
- #include
- #include
- int main()
- {
- std::map
m{ { "apple", "苹果" }, { "orange", "橙子" }, - {"pear","梨"} };
- std::map
::iterator it = m.begin(); - while (it != m.end())
- {
- //....
- }
- return 0;
- }
- #include
- #include
- typedef std::map
Map; - int main()
- {
- Map m{ { "apple", "苹果" },{ "orange", "橙子" }, {"pear","梨"} };
- Map::iterator it = m.begin();
- while (it != m.end())
- {
- //....
- }
- return 0;
- }
- typedef char* pstring;
- int main()
- {
- const pstring p1; // 编译成功还是失败?
- const pstring* p2; // 编译成功还是失败?
- return 0;
- }
- int TestAuto()
- {
- return 10;
- }
- int main()
- {
- int a = 10;
- auto b = a;
- auto c = 'a';
- auto d = TestAuto();
- cout << typeid(b).name() << endl;
- cout << typeid(c).name() << endl;
- cout << typeid(d).name() << endl;
- //auto e; 无法通过编译,使用auto定义变量时必须对其进行初始化
- return 0;
- }
- int main()
- {
- int x = 10;
- auto a = &x;
- auto* b = &x;
- auto& c = x;
- cout << typeid(a).name() << endl;
- cout << typeid(b).name() << endl;
- cout << typeid(c).name() << endl;
- *a = 20;
- *b = 30;
- c = 40;
- return 0;
- }
- void TestAuto()
- {
- auto a = 1, b = 2;
- auto c = 3, d = 4.0; // 该行代码会编译失败,因为c和d的初始化表达式类型不同
- }
- // 此处代码编译失败,auto不能作为形参类型,因为编译器无法对a的实际类型进行推导
- void TestAuto(auto a)
- {}
- void TestAuto()
- {
- int a[] = {1,2,3};
- auto b[] = {4,5,6};
- }
- void TestFor()
- {
- int array[] = { 1, 2, 3, 4, 5 };
- for (int i = 0; i < sizeof(array) / sizeof(array[0]); ++i)
- array[i] *= 2;
- for (int* p = array; p < array + sizeof(array)/ sizeof(array[0]); ++p)
- cout << *p << endl;
- }
- void TestFor()
- {
- int array[] = { 1, 2, 3, 4, 5 };
- for(auto& e : array)
- e *= 2;
- for(auto e : array)
- cout << e << " ";
- return 0;
- }
注意:与普通循环类似,可以用 continue 来结束本次循环,也可以用 break 来跳出整个循环 。
- void TestFor(int array[])
- {
- for(auto& e : array)
- cout<< e <
- }
(2)
迭代的对象要实现
++
和
==
的操作
。
(
关于迭代器这个问题,以后会讲,现在提一下,没办法
讲清楚,现在大家了解一下就可以了
)
补充:
3. 指针空值nullptr(C++11)
3.1 C++98中的指针空值
在良好的C/C++
编程习惯中,声明一个变量时最好给该变量一个合适的初始值,否则可能会出现不可预料的错误,比如未初始化的指针。如果一个指针没有合法的指向,我们基本都是按照如下方式对其进行初始化:
- void TestPtr()
- {
- int* p1 = NULL;
- int* p2 = 0;
- // ……
- }
NULL
实际是一个宏,在传统的
C
头文件
(stddef.h)
中,可以看到如下代码:
- #ifndef NULL
- #ifdef __cplusplus
- #define NULL 0
- #else
- #define NULL ((void *)0)
- #endif
- #endif
可以看到,NULL可能被定义为字面常量0,或者被定义为无类型指针(void*)的常量。不论采取何种定义,在使用空值的指针时,都不可避免的会遇到一些麻烦,比如:
- void f(int)
- {
- cout<<"f(int)"<
- }
- void f(int*)
- {
- cout<<"f(int*)"<
- }
- int main()
- {
- f(0);
- f(NULL);
- f((int*)NULL);
- return 0;
- }
程序本意是想通过f(NULL)调用指针版本的f(int*)函数,但是由于NULL被定义成0,因此与程序的 初衷相悖。
在
C++98
中,字面常量
0
既可以是一个整形数字,也可以是无类型的指针
(void*)
常量,但是编译器默认情况下将其看成是一个整形常量,如果要将其按照指针方式来使用,必须对其进行强转(void*)0。
注意:
1. 在使用
nullptr
表示指针空值时,不需要包含头文件,因为
nullptr
是
C++11
作为新关键字引入
的
。
2. 在C++11
中,
sizeof(nullptr)
与
sizeof((void*)0)
所占的字节数相同。
3. 为了提高代码的健壮性,在后续表示指针空值时建议最好使用
nullptr
。
本章完!