如何在程序集中逐个字符地从stdin读取输入



我希望下面的程序从stdin中读取一些字符(最多9个(,并将它们放置在内存中的指定位置。

实际发生的情况:当我按下Enter时,如果我的字符少于9个,它只会转到下一行;这将一直发生,直到我输入9个字符。如果我输入的字符超过9,多余的字符将被解释为shell命令。为什么我按Enter键时它不终止?

在Ubuntu上使用nasm2.14.02。

global _start
section .bss
buf resb 10
section .text
; Read a word from stdin, terminate it with a 0 and place it at the given address.
; - $1, rdi: *buf - where to place read bytes
; - $2, rsi: max_count, including the NULL terminator
; Returns in rax:
; - *buf - address of the first byte where the NULL-terminated string was placed
; - 0, if input too big
read_word: ; (rdi: *buf, rsi: max_count) -> *buf, or 0 if input too big
mov r8, 0      ; current count
mov r9, rsi    ; max count
dec r9         ; one char will be occupied by the terminating 0
; read a char into the top of the stack, then pop it into rax
.read_char:
push rdi       ; save; will be clobbered by syscall
mov rax, 0     ; syscall id = 0 (read)
mov rdi, 0     ; syscall $1, fd = 0 (stdin)
push 0         ; top of the stack will be used to place read byte
mov rsi, rsp   ; syscall $2, *buf = rsp (addr where to put read byte)
mov rdx, 1     ; syscall $3, count (how many bytes to read)
syscall
pop rax
pop rdi
; if read character is Enter (aka carriage-return, CR) - null-terminate the string and exit
cmp rax, 0x0d ; Enter
je .exit_ok
; not enter ⇒ place it in the buffer, and read another one
mov byte [rdi+r8], al ; copy character into output buffer
inc r8                ; inc number of collected characters
cmp r8, r9            ; make sure number doesn't exceed maximum
je .exit_ok           ; if we have the required number of chars, exit
jb .read_char         ; if it's not greater, read another char
.exit_ok: ; add a null to the end of the string and return address of buffer (same as input)
add r8, 1
mov byte [rdi+r8], 0
mov rax, rdi
ret
.exit_err: ; return 0 (error)
mov rax, 0
ret
_start:
mov rdi, buf     ; $1 - *buf
mov rsi, 10      ; $2 - uint count
call read_word
mov rax, 60  ; exit syscall
mov rdi, 0   ; exit code
syscall

首先,当用户点击Enter时,您将看到LF(n0xa(,而不是CR(r0xd(。这可以解释为什么你的程序在你认为应该退出的时候没有退出。

至于为什么额外的字符会进入shell,这是关于操作系统如何进行终端输入。它将终端的击键累积到内核缓冲区中,直到按下Enter键,然后使整个缓冲区可供read()读取。这允许像backspace这样的东西透明地工作,而不需要应用程序显式地对其进行编码,但这确实意味着你不能像你所注意到的那样,一次只读取一个击键。

如果您的程序在缓冲区仍包含字符时退出,那么下一个尝试从设备读取的程序将读取这些字符,在您的情况下,该程序将是shell。大多数读取stdin的程序都会通过继续读取和处理数据来避免这种情况,直到看到文件末尾(read()返回0(,当用户按下Ctrl-D时,终端会出现这种情况。

如果您真的需要逐个字符地处理输入,则需要将终端设置为非规范模式,但在这种情况下,很多事情都会有所不同。

最新更新