我最近一直在教自己装配,我认为NASM汇编程序及其语法是最有效和最容易使用的。我目前正在使用标准输入和输出;但是,由于我需要从我正在阅读的字符串中删除换行符(回车符,换页符,换行符, - 0xd,0xc和0xa),因此我感到很茫然。请考虑以下事项:
section .data
;; ...
section .bss
input: resb 255
.len: equ $ - input
section .text
global _start
_start:
;; Display message prompting for input, then...
mov edx, input.len
mov ecx, input
mov ebx, 0
mov eax, 3
int 0x80
目前,我希望删除尾随的换行符。请考虑以下伪代码:
if the last character in `input` is 0xa or 0xc or 0xd:
subtract the last character from `input`
repeat until false
我很可能已经清楚了,但这里有一个Python,相当于上面的伪代码:
while input[-1] is "\r" or input[-1] is "\f" or input[-1] is "\n":
input = input[:-1]
答案 0 :(得分:2)
这不是特别优雅或高效,但它可能提供一个起点:
jcomeau@intrepid:/tmp$ cat test.nasm ; nasm -f elf -o test.o test.nasm; ld -o test test.o; ./test
section .bss
input: resb 255
.len: equ $ - input
section .text
global _start
_start:
;; Display message prompting for input, then...
mov edx, input.len
mov ecx, input
mov ebx, 0
mov eax, 3
int 0x80 ;read in from stdin
call rstrip
mov edx, eax ;count
mov ebx, 1 ;stdout
mov eax, 4
int 0x80 ;write out
mov eax, 1
xor ebx, ebx
int 0x80
rstrip:
dec eax ;convert 1-based length to 0-based pointer
.loop:
cmp byte [ecx + eax], 0xa
je .chop
cmp byte [ecx + eax], 0xc
je .chop
cmp byte [ecx + eax], 0xd
je .chop
.done:
inc eax ;convert pointer back to length
ret
.chop:
mov byte [ecx + eax], 0
dec eax
jns .loop
jmp .done
this is a test
this is a testjcomeau@intrepid:/tmp$