CPlusPlusThings/basic_content/using/README.md
Light-City 8edbbbc5a2 update
2019-11-05 16:56:07 +08:00

121 lines
2.8 KiB
Markdown
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# using那些事
## 关于作者:
个人公众号:
![](../img/wechat.jpg)
## 基本使用
局部与全局using具体操作与使用见下面案例
```c++
#include <iostream>
#define isNs1 1
//#define isGlobal 2
using namespace std;
void func()
{
cout<<"::func"<<endl;
}
namespace ns1 {
void func()
{
cout<<"ns1::func"<<endl;
}
}
namespace ns2 {
#ifdef isNs1
using ns1::func; /// ns1中的函数
#elif isGlobal
using ::func; /// 全局中的函数
#else
void func()
{
cout<<"other::func"<<endl;
}
#endif
}
int main()
{
/**
* 这就是为什么在c++中使用了cmath而不是math.h头文件
*/
ns2::func(); // 会根据当前环境定义宏的不同来调用不同命名空间下的func()函数
return 0;
}
```
完整代码见:[using_global.cpp](using_global.cpp)
## 改变访问性
```
class Base{
public:
std::size_t size() const { return n; }
protected:
std::size_t n;
};
class Derived : private Base {
public:
using Base::size;
protected:
using Base::n;
};
```
类Derived私有继承了Base对于它来说成员变量n和成员函数size都是私有的如果使用了using语句可以改变他们的可访问性如上述例子中size可以按public的权限访问n可以按protected的权限访问。
完整代码见:[derived_base.cpp](derived_base.cpp)
## 函数重载
在继承过程中派生类可以覆盖重载函数的0个或多个实例一旦定义了一个重载版本那么其他的重载版本都会变为不可见。
如果对于基类的重载函数,我们需要在派生类中修改一个,又要让其他的保持可见,必须要重载所有版本,这样十分的繁琐。
```c++
#include <iostream>
using namespace std;
class Base{
public:
void f(){ cout<<"f()"<<endl;
}
void f(int n){
cout<<"Base::f(int)"<<endl;
}
};
class Derived : private Base {
public:
using Base::f;
void f(int n){
cout<<"Derived::f(int)"<<endl;
}
};
int main()
{
Base b;
Derived d;
d.f();
d.f(1);
return 0;
}
```
如上代码中在派生类中使用using声明语句指定一个名字而不指定形参列表所以一条基类成员函数的using声明语句就可以把该函数的所有重载实例添加到派生类的作用域中此时派生类只需要定义其特有的函数就行了而无需为继承而来的其他函数重新定义
完整代码见[using_derived.cpp](using_derived.cpp)
## 取代typedef
C中常用typedef A B这样的语法将B定义为A类型也就是给A类型一个别名B
对应typedef A B使用using B=A可以进行同样的操作。
```c++
typedef vector<int> V1;
using V2 = vector<int>;
```
完整代码见:[using_typedef.cpp](using_typedef.cpp)