I expected to be able to use a namespace alias in a class declaration but get a compiler syntax error.
struct MyClass
{
namespace abc = a_big_namespace;
void fn() {
abc::test();
}
};
The only way I can get it to work is to put the alias in every function.
void fn() {
namespace abc = a_big_namespace;
abc::test();
}
Additionally I would like to be able to use the alias for function parameters. I haven't found a work-around for that.
void fn(abc::testType tt) {
abc::test(tt);
}
Is there a way to do what I want?
EDIT: my solution
I found that I didn't need unnamed namespace for my particular problem and can simply do this:
namespace myspace
{
namespace abc = a_big_namespace;
struct MyClass
{
void fn(abc::testType tt) {
abc::test(tt);
}
};
}
To switch to the other library, which is what my alias namespace refers to I just change the alias. This method even allows me to have the same class in a single file twice, each time referring to a different library.
Namespace alias in the class definition is illegal, as specified by the language specification.
Its allowed in only in namespace scope or function scope.
You can make an alias at the namespace scope. But this will create a permanent alias which can be used from other files as well. However, the solution is simple: you can use an unnamed namespace to prevent the alias (and therefore all symbols from the big namespace) from being visible from other files. This is how it can be done:
The alias is not visible from other files. When compiling
OtherFile.cpp, GCC (4.5.0) says,That proves the alias
abcis visible only inMyFile.cpp. Thanks to the unnamed namespace.Demo: http://www.ideone.com/2zyNI (though it doesn't demonstrate OtherFile concept since I cannot have more than one file at ideone.com)