GOLang Scanf 错误:为什么它在 Windows 上失败而在 Mac 上失败
寻求用户输入是编程中的常见任务。在 GOLang 中,Scanf 函数经常用于此目的。然而,使用 Scanf 两次时会出现一个特殊的问题:它在 macOS 上可以运行,但在 Windows 上不行。
在提供的代码片段中:
<code class="go">func credentials() (string, string) { var username string var password string fmt.Print("Enter Username: ") fmt.Scanf("%s", &username) fmt.Print("Enter Password: ") fmt.Scanf("%s", &password) return username, password }</code>
在 macOS 上运行时,程序会提示user 的用户名和密码,如预期的那样。然而,在 Windows 上,在提示输入用户名后,程序会忽略密码提示并突然退出。
造成这种差异的原因在于 Scanf 解释用户输入的方式。在 Windows 上,Scanf 使用回车符 (r) 作为默认行终止符,而 macOS 使用换行符 (n)。当输入用户名并按 Enter 时,Scanf 遇到回车并将其解释为输入终止符。结果,程序跳过第二个 Scanf 行并退出。
要在 Windows 上解决此问题,我们可以使用 Bufio,一个为 I/O 操作提供缓冲的库。 Bufio 提供了 Scanf 的替代方案,它更强大并且跨操作系统一致工作。下面是使用 Bufio 的代码修改版本:
<code class="go">func credentials() (string, string) { reader := bufio.NewReader(os.Stdin) fmt.Print("Enter Username: ") username, _ := reader.ReadString('\n') fmt.Print("Enter Password: ") password, _ := reader.ReadString('\n') return strings.TrimSpace(username), strings.TrimSpace(password) // ReadString() leaves a trailing newline character }</code>
此版本使用 ReadString 读取用户的输入。 ReadString 接受分隔符,在本例中为换行符“n”。这确保了即使在 Windows 上也能正确读取用户名和密码,因为行终止符已得到正确处理。
总而言之,Scanf 在不同操作系统上表现出不一致的行为,这可归因于不同的行终止约定。通过使用 Bufio,开发人员可以克服这些不一致问题,并依靠更可靠的方法来捕获跨不同平台的用户输入。
以上是为什么Golang的scanf函数在Windows上失败,但在Mac上却可以?的详细内容。更多信息请关注PHP中文网其他相关文章!