在没有 If 子句的情况下突破 input.Scan()
输入处理对于 Go 程序中与用户交互至关重要。 bufio.Scanner 包提供了一种从控制台读取输入的便捷方法。然而,默认 Scanner 的分割函数 ScanLines 的行为可能与预期不同,让一些人想知道是否需要 if 子句来打破输入循环。
提供的代码片段演示了打破输入循环的常见方法使用 if 子句的输入循环:
input := bufio.NewScanner(os.Stdin) for input.Scan() { if input.Text() == "end" { break } fmt.Println(input.Text()) }
但是,文档指出 ScanLines 在到达输入末尾或遇到错误时将返回 false。文档中的以下段落表明可能不需要 if 子句:
Scan advances the Scanner to the next token, which will then be available through the Bytes or Text method. It returns false when the scan stops, either by reaching the end of the input or an error. After Scan returns false, the Err method will return any error that occurred during scanning, except that if it was io.EOF, Err will return nil.
经过仔细检查,很明显这个假设是不正确的。 ScanLines实际上是Scanned函数默认预定义的默认分割函数。文档明确指出 ScanLines 返回每一行文本,去除任何尾随的行尾标记。这意味着它将返回空行,并且即使没有换行符,也会返回输入的最后一个非空行。
因此,空行并不表示输入流的结束,并且使用 if 子句或替代方法来处理提前退出场景变得至关重要。以下代码片段演示了另一种方法:
input := bufio.NewScanner(os.Stdin) for { if !input.Scan() { break } if input.Text() == "end" { break } fmt.Println(input.Text()) }
总之,虽然 ScanLines 在到达输入末尾时将返回 false,但最后一行中缺少行尾标记,并且返回空行使得有必要采用 if 子句或替代方法来优雅地跳出输入循环。
以上是是否需要使用 If 子句来打破 bufio.Scanner 的输入循环?的详细内容。更多信息请关注PHP中文网其他相关文章!