如何使用 clang LibTooling 获取函数指针参数名称

How to get function pointer arguments names using clang LibTooling?

本文关键字:指针 参数 函数 获取 何使用 clang LibTooling      更新时间:2023-10-16

>假设我分析这样的代码:

struct Foo
{
    void(*setParam)(const char* name, int value);
};

我使用clang LibTooling并在setParam上获得FieldDecl

我想我可以得到这样的参数类型:

auto ft = fieldDecl->getFunctionType()->getAs<FunctionProtoType>();
for (size_t i = 0; i < fpt->getNumParams(); i++)
{
    QualType paramType = fpt->getParamType(i);
    ....
}

但是如何获取参数名称?(在这种情况下为"名称"和"值")这甚至可能吗,或者我需要手动查看源代码(使用 SourceManager)?

我认为

不可能直接从类型中获取参数名称,因为它们不是类型信息的一部分。

但是您的任务可以通过再访问一次函数指针声明来完成:

class ParmVisitor
    : public RecursiveASTVisitor<ParmVisitor>
{
public:
    bool VisitParmVarDecl(ParmVarDecl *d) {
        if (d->getFunctionScopeDepth() != 0) return true;
        names.push_back(d->getName().str());
        return true;
    }
    std::vector<std::string> names;
};

那么调用站点是:

bool VisitFieldDecl(Decl *d) {
    if (!d->getFunctionType()) {
        // not a function pointer
        return true;
    }
    ParmVisitor pv;
    pv.TraverseDecl(d);
    auto names = std::move(pv.names);
    // now you get the parameter names...
    return true;
}

注意getFunctionScopeDepth()部分,这是必要的,因为函数参数本身可能是函数指针,如下所示:

void(*setParam)(const char* name, int value, void(*evil)(int evil_name, int evil_value));

getFunctionScopeDepth()为 0 可确保此参数不在嵌套上下文中。