various programs in C++ are written without using scope resolution operator in this way:
#include <iostream>
#include <string>
int main()
{
std::string name = "My Name";
std::cout << name << std::endl;
return 0;
}
and I have also seen using "using" keyword:
#include <iostream>
#include <string>
using namespace std;
int main()
{
string name = "My Name";
cout << name << endl;
return 0;
}
which one is better for efficiency reasons?
Assuming the same names end up being found the efficiency is the same: independent of how the function name is spelled the same function is being called. The main difference is how names are being located. Using full qualification prevents, e.g., argument-dependent look-up and is, thus, easier to understand.
Of course, when you actually do have a customization point you'd want to use an unqualified call for argument-dependent look-up to kick in. If there is no need for a default implementation for the customization point there is no need to have a
using
declaration or even ausing
directive. Incorrect use of customization points can have a negative performance impact. For example, when usingswap()
you do not want use the name qualified:If
T
has a customizedswap()
it is likely more efficient thanstd::swap()
which may cause copies of the valuesv1
andv2
. With move-enabled typesT
the difference isn't as bad but it could still be substantial. Of course, the issue here isn't the use of qualification or no qualification but rather the fact that the two ways to call a function may result in different functions being found depending on whetherswap()
is overloaded forT
.BTW, if you are interested in efficiency, do not use std::endl!