人类可读的type_info.name()

时间:2012-10-13 22:16:48

标签: c++ typeid

我用g++编译了以下代码,得到了输出,用注释写成。

template<class T>
void foo(T t) { cout << typeid(t).name() << endl; }

int main() {
    foo("f");       //emits "PKc"
    foo(string());  //emits "Ss"
}

我知道,type_info.name()并非标准化,但有没有办法获得人类可读的结果?

像下面这样的东西会很好用

const char *
class string

1 个答案:

答案 0 :(得分:15)

您可以使用abi::__cxa_demangle(取自here的demangle函数),只需记住调用者负责释放返回:

#include <cxxabi.h>
#include <typeinfo>
#include <iostream>
#include <string>
#include <memory>
#include <cstdlib>

std::string demangle(const char* mangled)
{
      int status;
      std::unique_ptr<char[], void (*)(void*)> result(
        abi::__cxa_demangle(mangled, 0, 0, &status), std::free);
      return result.get() ? std::string(result.get()) : "error occurred";
}

template<class T>
void foo(T t) { std::cout << demangle(typeid(t).name()) << std::endl; }

int main() {
    foo("f");            //char const*
    foo(std::string());  //std::string
}

ideone上的示例。