3

我的部分代码如下所示:

print_usage_instructions();
print!("Command: ");
let stdin = io::stdin();
let mut line = String::new();
stdin.lock().read_line(&mut line).expect("Couldn't process the command.");
println!("{}", line);

我在这里期望的行为是这样的:

Usage instructions and stuff
Command: [my command]
[my command]

然而,发生的事情是这样的:

Usage instructions and stuff
[my command]
Command: [my command]

任何想法为什么会发生这种情况?AFAIK,编译器没有理由在这里更改执行顺序,这部分代码不是异步的,也不是多线程的。

4

1 回答 1

7

问题:print!()不刷新标准输出!

你问,潮红是什么意思?打印时,您不想将每个字符都单独发送到标准输出:这会产生很多开销(想想:进行系统调用,终端必须更新其视图,...)。因此,不是这样做,而是在某处存在一个缓冲区,该缓冲区保存即将打印的内容。要实际打印,必须刷新此缓冲区。

'\n'您几乎没有注意到这一切的原因是,当打印换行符 ( ) 时,stdout 总是被刷新。因此,println!()总是冲洗!

您的用例更加令人困惑,因为您正在输入标准输入。在这里它的工作方式几乎相同:当您键入时,字符还没有发送到任何地方!只有终端/shell 存储您输入的内容。但是,一旦您按 Enter(换行符),您的书面文本就会提交并发送到标准输入。

无论如何,您可以手动刷新标准输出而不打印换行符:

use std::io::{self, BufRead, Write};

fn main() {
    println!("Usage instructions and stuff");

    print!("Command:");
    io::stdout().flush().expect("Couldn't flush stdout");   // <-- here

    let stdin = io::stdin();
    let mut line = String::new();
    stdin.lock().read_line(&mut line).expect("Couldn't process the command.");
    println!("{}", line);
}

这种行为之前被批评过:print!应该刷新标准输出”


请注意:您的字符串line最后包含换行符。您可以使用 删除它trim_right()。这与您最初的问题无关,但您也可能会遇到这个问题;-)

于 2018-04-02T08:22:15.957 回答