我正在学习llvm getelementptr指令,并尝试从结构中获取元素。我的结构就是这样
struct Foo {
int32_t a;
int32_t b;
int32_t c;
};
对应的llvm类型:
Type *getType() {
vector<Type *> tps;
tps.push_back(Type::getInt32Ty(TheContext));
tps.push_back(Type::getInt32Ty(TheContext));
tps.push_back(Type::getInt32Ty(TheContext));
StructType *tp = StructType::create(TheContext, tps, "foo_type");
return tp;
}
和一个测试功能
%foo_type = type { i32, i32, i32 }
define i32 @_func_(%foo_type) {
entry:
%1 = alloca %foo_type
store %foo_type %0, %foo_type* %1
%2 = getelementptr %foo_type, %foo_type* %1, i32 0, i32 1
%3 = load i32, i32* %2
ret i32 %3
}
但是通过运行已编译的函数,我总是得到第三个元素,即Foo :: c,而不是Foo :: b,所以我的代码有什么问题?我认为问题可能出在商店指示上。
编辑2019.12.13
通过将指针作为参数传递,我得到了正确的答案
define i32 @_func_(%foo_type*) {
entry:
%1 = alloca %foo_type*
store %foo_type* %0, %foo_type** %1
%ptr = load %foo_type*, %foo_type** %1
%2 = getelementptr %foo_type, %foo_type* %ptr, i32 0, i32 1
%3 = load i32, i32* %2
ret i32 %3
}
因此问题一定是FP(f)
并未将f
实际传递给先前版本中的编译函数。
答案 0 :(得分:3)
如果用c编写函数并让clang为其发出IR,则可能会看到以下内容:
struct Foo {
int a;
int b;
int c;
};
int bar(Foo f) {
return f.b;
}
define dso_local i32 @_Z3bar3Foo(i64, i32) #0 {
%3 = alloca %struct.Foo, align 4
%4 = alloca { i64, i32 }, align 4
%5 = getelementptr inbounds { i64, i32 }, { i64, i32 }* %4, i32 0, i32 0
store i64 %0, i64* %5, align 4
%6 = getelementptr inbounds { i64, i32 }, { i64, i32 }* %4, i32 0, i32 1
store i32 %1, i32* %6, align 4
%7 = bitcast %struct.Foo* %3 to i8*
%8 = bitcast { i64, i32 }* %4 to i8*
call void @llvm.memcpy.p0i8.p0i8.i64(i8* align 4 %7, i8* align 4 %8, i64 12, i1 false)
%9 = getelementptr inbounds %struct.Foo, %struct.Foo* %3, i32 0, i32 1
%10 = load i32, i32* %9, align 4
ret i32 %10
}
这意味着bar(Foo())
实际上接受int64
和int32
作为参数,而不是Foo
本身。可能是一些我不太了解的c / cpp ABI。
但是当通过指针传递时,没有这种问题,因此可以按预期工作。