6

我是 LLVM 新手。我正在尝试编写一个基本 Pass 来检查printf调用的参数,当它被赋予中间表示时。
如果格式字符串不是字符串文字,那么我当然无法检查它。但很多时候,确实如此。

我要检查的示例 IR 是:

@.str = private unnamed_addr constant [7 x i8] c"Hi %u\0A\00", align 1

define i32 @main() nounwind {
entry:
  %retval = alloca i32, align 4
  store i32 0, i32* %retval
  %call = call i32 (i8*, ...)* @printf(i8* getelementptr inbounds ([7 x i8]* @.str, i32 0, i32 0), i32 1)
  ret i32 0
}

declare i32 @printf(i8*, ...)

我发现了预先存在的 Pass ExternalFunctionsPassedConstants,这似乎很相关:

struct ExternalFunctionsPassedConstants : public ModulePass {
  static char ID; // Pass ID, replacement for typeid
  ExternalFunctionsPassedConstants() : ModulePass(ID) {}
  virtual bool runOnModule(Module &M) {
    for (Module::iterator I = M.begin(), E = M.end(); I != E; ++I) {
      if (!I->isDeclaration()) continue;

      bool PrintedFn = false;
      for (Value::use_iterator UI = I->use_begin(), E = I->use_end();
           UI != E; ++UI) {
        Instruction *User = dyn_cast<Instruction>(*UI);
        if (!User) continue;

        CallSite CS(cast<Value>(User));
        if (!CS) continue;

        ...

所以我添加了代码:

        if (I->getName() == "printf") {
          errs() << "printf() arg0 type: "
                 << CS.getArgument(0)->getType()->getTypeID() << "\n";
        }

到目前为止,一切都很好——我看到类型 ID 是 14,这意味着它是一个PointerTyID.

但是现在,我如何获取作为参数传递的字符串文字的内容,以便我可以根据实际给出的数字验证预期参数的数量?

4

1 回答 1

7
CS.getArgument(0)  

表示 GetElementPtrConstantExpr

i8* getelementptr inbounds ([7 x i8]* @.str, i32 0, i32 0)

,它是一个用户对象。您想要的字符串(即@.str)是这个GetElementPtrConstantExpr 的第一个操作数。

因此,您可以通过

CS.getArgument(0).getOperand(0)

但是,我还没有测试过这段代码。如果有任何错误,请告诉我。

于 2012-08-26T14:57:17.130 回答