如何在Assembly中切断变量?

时间:2016-09-18 12:13:30

标签: assembly environment-variables

我目前正在开发一个项目,为了存储,我想在程序集中剪切变量,并(可选)使其成为寄存器的值,例如eax。

我试图在互联网上搜索结果,但我还没找到。

我将需要与NASM一起使用的代码,并且是Intel语法(基本上,更标准的程序集,大部分时间通常都是小写的。)

我将不胜感激任何帮助。

如果你想知道我的意思,我的意思是如果变量“msg”设置为“29ak49”,我想把它的一部分,如“9ak4”,并把它放在一个寄存器,或类似的东西

1 个答案:

答案 0 :(得分:2)

作为评论中提到的Peter Cordes,您始终可以将空终止符(0)添加到现有字符串的缓冲区中以进行右截断;如果您不介意修改原始字符串数据。

下面的示例将检索子字符串而不修改原始字符串。

如果您有变量的地址,并且知道要截断它的位置,则可以获取数据起始位置的地址,并向左截断添加偏移量。要右截断,您可以从新偏移量中读取所需数量的字符。

例如x86

    msg db '29ak49'         ; create a string (1 byte per char)


    ;; left truncate
    mov esi, msg            ; get the address of the start of the string
    add esi, OFFSET_INTO_DATA ; offset into the string (1 byte per char)

    ;; right truncate
    mov edi, NUM_CHARS      ; number of characters to take

    .loop:                  
    movzx eax, byte [esi]   ; get the value of the next character
    ;; do something with the character in eax   
    inc esi
    dec edi
    jnz .loop

    ;; end loop

编辑:

以下是作为32位Linux应用程序的可运行测试实现,它打印出基于OFFSET_INTO_DATANUM_CHARS选择的子字符串(注意:算法是同样,但寄存器已经改变了):

        section .text
        global _start


_start:

        ;; left truncate
        mov esi, msg            ; get the address of the start of the string
        add esi, OFFSET_INTO_DATA ; offset into the string (1 byte per char)

        ;; right truncate
        mov edi, NUM_CHARS      ; number of characters to take

        .loop:                  
        mov ecx, esi            ; get the address of the next character
        call print_char_32        
        inc esi
        dec edi
        jnz .loop

        jmp halt


;;; input:      ecx      -> character to display
print_char_32:
        mov edx, 1              ; PRINT
        mov ebx, 1              ;
        mov eax, 4              ;
        int 0x80                ;
        ret


halt:
        mov eax, 1              ; EXIT
        int 0x80                ;
        jmp halt


section .data

       msg db '29ak49'         ; create a string (1 byte per char)


       OFFSET_INTO_DATA EQU 1
       NUM_CHARS EQU 3

编译:

nasm -f elf substring.asm ; ld -m elf_i386 -s -o substring substring.o