一、c++的引用变量
初学c++便接触到了引用变量,定义类型为整型时:
int a; int &b=a;
表示将b定义为一个引用变量,引用了a的数值,同时b与a的地址值相同,如果改变b的数值,a,b的数值也会改变,但是作为引用变量b的地址值不会改变,同时引用变量与指针有着相似性,但是却是不同的,有着不同的特性。以下程序作为对比分析:
#include<iostream> using namespace std; int main() { int a,b; int &c=a; int *q; q=&a; a=1; b=2; cout<<c<<endl; cout<<*q<<endl; cout<<&c<<endl; cout<<q<<endl; q=&b; c=b;//将b=2赋 给c cout<<a<<endl;//a变为2 cout<<c<<endl; cout<<*q<<endl; cout<<&c<<endl;//引用变量的地址不会改变,仍为a的原地址 cout<<q<<endl; return 0; }
运行结果如图。由此可见c,*q是一个具体的数值,而&c,q是地址值,当使q指向b后,q的地址变为b的地址,a的值不会改变,令c引用b后,a,c的值都发生变化,但c的地址却依旧是a的地址。这便是引用变量的相关内容。
二 、关于命名空间
c++中考虑到可能会有重名的变量,函数等,设置了命名空间的概念,例如,在c++中当使用<iostream.h>时,相当于在c中调用库函数,使用的是全局命名空间,也就是早期的c++实现;当使用<iostream>的时候,该头文件没有定义全局命名空间,必须使用namespace std;这样才能正确使用cout。
这便是using namespace std的用处,std指的是标准库相关的标识符,C++标准程序库中的所有标识符都被定义于一个名为std的namespace中。
同时,namespace也可以由用户自定义,以下代码用来说明namespace的意义:
//DISPLAYNamespaceDemonstration #include <iostream> using namespace std ; namespace savitch1 { void greeting(); } namespace savitch2 { void greeting(); } void big_greeting(); int main() { { using namespace savitch2 ; //使用savictch2、std、全局三个命名空间 greeting(); } { using namespace savitch1 ; //使用savitch1、std、全局三个命名空间 greeting(); } big_greeting(); //使用了std和全局两个命名空间 return 0 ; } namespace savitch1 { void greeting() { cout<<"Hellofromnamespacesavitch1. " ; } } namespace savitch2 { void greeting() { cout<<"Greetingsfromnamespacesavitch2. " ; } } void big_greeting() { cout<<"ABigGlobalHello! " ; }
同时也可改为如下用法:
//DISPLAYNamespaceDemonstration #include <iostream> using namespace std ; namespace savitch1 { void greeting(); } namespace savitch2 { void greeting(); } void big_greeting(); int main() { { //使用savictch2、std、全局三个命名空间 savitch2::greeting(); } { //使用savitch1、std、全局三个命名空间 savitch1::greeting(); } big_greeting(); //使用了std和全局两个命名空间 return 0 ; } namespace savitch1 { void greeting() { cout<<"Hellofromnamespacesavitch1. " ; } } namespace savitch2 { void greeting() { cout<<"Greetingsfromnamespacesavitch2. " ; } } void big_greeting() { cout<<"ABigGlobalHello! " ; }