using使用法总结

using有两种用法,一种是using declaration(申明),另一种是using directive(指示)。

using declaration一次只引入命名空间的一个成员,使得在using declaration的作用域内,对该成员的访问不需要在前面加命名空间。如:using NewDevice::Exposure;
using declaration可以用在不同的地方,如全局作用域或局部作用域、命名空间以及类作用域。其中在类作用域中,只能申明其基类成员。
我们可以将using declaration看成是在当前作用域创建了一个别名,即这个别名的作用域就跟using declaration一样。

using directive将引入命名空间的所有成员,在using关键词后面直接加上namespace和命名空间名字,使得命名空间所有成员在当前作用域内访问时不需要再前面加命名空间名字。如using namespace std;

两者的区别,一方面是引入的成员不同,using delaration是引入一个成员,using directive是引入所有成员;另一方面,using declaration是成员的别名

using declaration的作用

前面说明,using declaration为引入的变量创建了一个别名,在很多场合可以利用这个特性,对引入的变量进行管理。
(1)访问控制:在类内部对基类成员进行using declaration,可以改变基类成员的访问范围。如下面代码引入Qt,这里的using将原来基类的两个public基类成员变成了private。

class QPostEventList : public QVector <QPostEvent>
{
    ...
private:
    //hides because they do not keep that list sorted. addEvent must be used
    using QVector <QPostEvent>:: append;
    using QVector <QPostEvent>:: insert;
};

(2)符号屏蔽:如上面代码所示,using declaration对基类成员进行“别名”后,原有基类的成员在QPostEventList类中被屏蔽,外面对append等成员的访问,都直接引向这里的申明。下面的例子则是解决符号屏蔽

#include <string>
#include <iostream>

using namespace std;

class A
{
public:
    void func(int i) { cout << "func int" << endl;}
};

class B : public A
{
public:      
    void func(std ::string s) { cout << "func string" << endl ;}
    //using A::func;
};

int _tmain( int argc , _TCHAR * argv [])
{
    B obj ;
    obj.func(5 );
    return 0;
}

上面的代码编译在会失败,错误提示是:
‘B::func’ : cannot convert parameter 1 from ‘int’ to ‘std::string’
但实际上我们看到B的基类A实际上有func(int)函数啊?为什么?这是因为既然类B也定义了func这个符号,那么B的func覆盖了A的func的可见性,而不是简单的重构。原来符号的可见性仅仅针对函数和变量名,并不包括参数等。
如何解决?将class A中的注释去掉,在B中使用using declaration: using A::func后,代码编译通过并运行正确。显然这种declaration适用于在派生类中申明基类成员,它不会屏蔽当前类的成员。

你可能感兴趣的:(C++)