I am playing with generic lambda in C++1y and I often confused by don't know what is the type of auto
variable/parameter. Is any good way to find it out?
Currently I am using typeid(decltype(arg)).name())
but it is not very useful. @encode gives a slightly better result but still hard to decipher it
example:
auto f = [](auto && a, auto b) {
std::cout << std::endl;
std::cout << typeid(decltype(a)).name() << std::endl << @encode(decltype(a)) << std::endl;
std::cout << typeid(decltype(b)).name() << std::endl << @encode(decltype(b)) << std::endl;
};
int i = 1;
f(i, i);
f(1, 1);
f(std::make_unique<int>(2), std::make_unique<int>(2));
auto const ptr = std::make_unique<int>();
f(ptr, nullptr);
output
i // it does not tell me it is reference
^i // ^ means pointer, but it is actually reference, kinda pointer though
i
i
i
^i
i
i
NSt3__110unique_ptrIiNS_14default_deleteIiEEEE
^{unique_ptr<int, std::__1::default_delete<int> >={__compressed_pair<int *, std::__1::default_delete<int> >=^i}}
NSt3__110unique_ptrIiNS_14default_deleteIiEEEE
{unique_ptr<int, std::__1::default_delete<int> >={__compressed_pair<int *, std::__1::default_delete<int> >=^i}}
NSt3__110unique_ptrIiNS_14default_deleteIiEEEE
r^{unique_ptr<int, std::__1::default_delete<int> >={__compressed_pair<int *, std::__1::default_delete<int> >=^i}}
Dn
*
I mainly want is to know that is the parameter a lvalue ref/rvalue ref/passed by value etc.
and I am using Xcode 5.1.1
Well this is easy.
just do a
is_lvalue<decltype(x)>::value
andis_value<decltype(x)>::value
.An
rvalue
(temporary or moved reference) is a non-literal non-lvalue.Use GCC’s
__cxa_demangle
function:this is what I have ended up with. combined with @Konrad Rudolph's answer and @Joachim Pileborg's comment
and output