我有一个小的文本文件,我想在这里写给BPF。这是我的python代码看起来像BPF,但我现在无法打印出任何东西。我一直以加载程序失败告终:无效参数和一堆寄存器错误。现在我的字符串基本上是hello, world, hi
BPF_ARRAY(lookupTable, char, 512);
int helloworld2(void *ctx)
{
//print the values in the lookup table
#pragma clang loop unroll(full)
for (int i = 0; i < 512; i++) {
char *key = lookupTable.lookup(&i);
if (key) {
bpf_trace_printk("%sn", key);
}
}
return 0;
}
下面是Python代码:
b = BPF(src_file="hello.c")
lookupTable = b["lookupTable"]
#add hello.csv to the lookupTable array
f = open("hello.csv","r")
file_contents = f.read()
#append file contents to the lookupTable array
b_string1 = file_contents.encode('utf-8')
b_string1 = ctypes.create_string_buffer(b_string1)
lookupTable[0] = b_string1
f.close()
b.attach_kprobe(event=b.get_syscall_fnname("clone"), fn_name="helloworld2")
b.trace_print()
我有错误链接在这个粘贴bin,因为它太长了:带通滤波器误差
一个值得注意的错误是提到检测到无限循环,这是我需要检查的。
问题是i
是通过bpf_map_lookup_elem
中的指针传递的,所以编译器实际上不能展开循环(从它的角度来看,i
可能不会线性增加)。
使用一个中间变量就足以解决这个问题:
BPF_ARRAY(lookupTable, char, 512);
#define MAX_LENGTH 1
int helloworld2(void *ctx)
{
//print the values in the lookup table
#pragma clang loop unroll(full)
for (int i = 0; i < 1; i++) {
int k = i;
char *key = lookupTable.lookup(&k);
if (key) {
bpf_trace_printk("%sn", key);
}
}
return 0;
}