Print the type of a parameter (ParmVarDecl) with c

2020-06-02 06:24发布

问题:

I need to print the type of a parameter in a C++ source file using the clang API.

If I have a parameter representation in clang (ParmVarDecl* param) I can print the name of the parameter using param->getNameAsString(). I would need a method param->getTypeAsString(), but there is no such method. So is there another way to do this task?

回答1:

Got the answer to my question in the llvm irc:

There is a method std::string clang::QualType::getAsString(SplitQualType split)

So this does work for me:

ParmVarDecl* param = *someParameter;
cout << QualType::getAsString(param->getType().split()) << endl;


回答2:

You can use typeid to get the name of any type. Although it will vary from compiler to compiler, and may not be a pretty name.

#include <iostream>
#include <typeinfo>

struct MyStruct { };

int main()
{
    std::cout << typeid(MyStruct).name() << std::endl;
}

If you need to do this for a lot of classes, you could make the call part of a base class, then any class that needs the functionality can just inherit from it.

#include <iostream>
#include <typeinfo>

class NamedClass
{
  public:
    virtual ~NamedClass() { }

    std::string getNameAsString()
    {
        return typeid(*this).name();
    }
};

class MyStruct : public NamedClass
{
};

int main()
{
    MyStruct ms;
    std::cout << ms.getNameAsString() << std::endl;
}


标签: c++ llvm clang