1.命名空间
当我们第一次接触C++时一定会看到namespace的使用,那么我们该如何如使用这一关键字?
namespace hello
{
int a = 1;
int b = 2;
}
int main()
{
cout << a;
}
#include<iostream>
namespace hello
{
int a = 1;
int b = 2;
}
int main()
{
std::cout << hello::a;
}
对比一下上面两段代码,第一段代码会编译失败因为vs无法找到cout和a在哪里,但我们如果用第二段代码,会发现编译通过。因为当编译器使用变量时首先会在局部变量中查找,其次在全局变量中查找,最后在、命名空间中查找。
这也是namespace的一种使用方法
using namespace hello;
int main()
{
printf("%d", hello::a);
}
2.c++的输入和输出
#include<iostream>
//std是c++的标准命名空间
using namespace std;
int main()
{
int a = 0;
cout << "please enter number:" << endl;
cin >> a;
cout << "the number is:" << a << endl;
return 0;
}