IDAPython将操作码的十六进制转储到文件

问题描述 投票:0回答:1

我尝试将操作码旁边的操作码的十六进制表示转储到文本文件中,但我还没有真正成功。这就是现在的样子:

.init_proc   start: 6a0  end: 6b0
6a0  å-à   PUSH  {LR}; _init
6a4  ëO    BL    frame_dummy
6a8  ë¨    BL    __do_global_ctors_aux
6ac  äð    POP   {PC}

strerror     start: 6c4  end: 6d0
6c4  âÆ    ADR   R12, 0x6CC
6c8  âŒÊ   ADD   R12, R12, #0x8000
6cc  å¼þ`  LDR   PC, [R12,#(strerror_ptr - 0x86CC)]!; __imp_strerror

不幸的是,get_bytes函数只返回一个字符串而不是整数,所以我无法将其转换为十六进制。有没有其他方法可以做到这一点?这是我的idapython脚本:

cur_addr = 0

with open("F:/Ida_scripts/ida_output.txt", "w") as f:
    for func in Functions():
        start = get_func_attr(func, FUNCATTR_START)
        end = get_func_attr(func, FUNCATTR_END)
        f.write("%s\t start: %x\t end: %x" % (get_func_name(func), start, end))
        cur_addr = start
        while cur_addr <= end:
            f.write("\n%x\t%s\t%s" % (curr_addr, get_bytes(cur_addr, get_item_size(curr_addr)), generate_disasm_line(cur_addr, 0)))
            cur_addr = next_head(cur_addr, end)
        f.write("\n\n")
python hex ida opcode
1个回答
1
投票

如果get_bytes()返回一个字符串,那么我假设您要将此字符串中的每个字节转换为十六进制并打印出来。试试这个:

print(' '.join('%02x' % ord(c) for c in get_bytes(…))

这将打印出如下内容:

61 62 63 64

(以'abcd'作为输入。)

或者作为一个功能:

def str_to_hex(s):
  return ' '.join('%02x' % ord(c) for c in s)

请注意,在Python3中,str类型是一个unicode数据类型,因此它不仅仅是每个字符一个字节;你有字节数组的bytes类型(也许你的get_bytes()应该返回这个而不是字符串然后)。在Python2中,str类型是字节数组,unicode类型是unicode字符串。我不知道你在开发哪个Python版本。

© www.soinside.com 2019 - 2024. All rights reserved.