I have a sample file with a function declaration that I want to deprecate. I want to add this C++ tag to make the compiler emit warnings when this function is being called like this one:
...simple_test.cpp:45:5: warning: 'free_fun' is deprecated [-Wdeprecated-declarations]
free_fun();
^
...simple_test.cpp:40:3: note: 'free_fun' has been explicitly marked deprecated here
[[deprecated]]
^
1 warning generated.
I've written an example plugin:
#include <clang/Frontend/FrontendPluginRegistry.h>
#include <clang/AST/AST.h>
#include <clang/AST/ASTConsumer.h>
#include <llvm/Support/raw_ostream.h>
#include <clang/ASTMatchers/ASTMatchFinder.h>
#include <clang/ASTMatchers/ASTMatchers.h>
using namespace clang;
using namespace ast_matchers;
DeclarationMatcher methodMatch = cxxMethodDecl().bind("method");
DeclarationMatcher freeFuncMatch = functionDecl().bind("method");
class SymbolCollector : public MatchFinder::MatchCallback {
public:
virtual void run(const MatchFinder::MatchResult &Result){
auto* decl = Result.Nodes.getNodeAs<FunctionDecl>("method");
auto attr = DeprecatedAttr::CreateImplicit(decl->getASTContext(),"Dont use this!", "");
auto* mod_decl = const_cast<FunctionDecl*>(decl);
mod_decl->addAttr(attr);
}
};
class AnnotateDeprecationConsumer : public ASTConsumer {
public:
AnnotateDeprecationConsumer() {
d_matcher.addMatcher(methodMatch, &d_collector);
d_matcher.addMatcher(freeFuncMatch, &d_collector);
}
void HandleTranslationUnit(ASTContext &Context) override {
d_matcher.matchAST(Context);
}
// bool HandleTopLevelDecl(DeclGroupRef DG) override {
// for (auto D : DG) {
// if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) {
// auto attr = DeprecatedAttr::CreateImplicit(FD->getASTContext(),"Dont use this!", "");
// FD->addAttr(attr);
// }
// }
// return true;
//}
private:
MatchFinder d_matcher;
SymbolCollector d_collector;
};
class AnnotateDeprecationAction : public PluginASTAction {
public:
std::unique_ptr<ASTConsumer> CreateASTConsumer(CompilerInstance &CI,
llvm::StringRef) override {
return llvm::make_unique<AnnotateDeprecationConsumer>();
}
bool ParseArgs(const CompilerInstance &CI,
const std::vector<std::string> &args) override {
return true;
}
PluginASTAction::ActionType getActionType() override {
return AddBeforeMainAction;
}
};
static FrontendPluginRegistry::Add<AnnotateDeprecationAction>X("annotate-dep", "annotate functions with deprecated tag");
but when I invoke it, it doesn't emit any warnings. If I dump the ast I see the deprecation attribute has been added but I get no warnings.
If I use HandleTopLevelDecls it works but I need Matchers to achieve what I want.
My guess is that the tag is being added after the ast is traversed (first hint: getNodeAs returns a const obj) and therefore the tag is added too late.
However I thought that by overriding getActionType I could achieve that result but it seems this isn't the case?