0

Zig 的文档显示了不同的错误处理方法,包括在调用堆栈中冒泡错误值、捕获错误并使用默认值、恐慌等。

我试图弄清楚如何重试提供错误值的函数。

例如,在下面的 ziglearn 代码片段中,如果用户输入的字符超过 100 个,是否可以重试 nextLine 函数?

fn nextLine(reader: anytype, buffer: []u8) !?[]const u8 {
    var line = (try reader.readUntilDelimiterOrEof(
        buffer,
        '\n',
    )) orelse return null;
    // trim annoying windows-only carriage return character
    if (@import("builtin").os.tag == .windows) {
        return std.mem.trimRight(u8, line, "\r");
    } else {
        return line;
    }
}

test "read until next line" {
    const stdout = std.io.getStdOut();
    const stdin = std.io.getStdIn();

    try stdout.writeAll(
        \\ Enter your name:
    );

    var buffer: [100]u8 = undefined;
    const input = (try nextLine(stdin.reader(), &buffer)).?;
    try stdout.writer().print(
        "Your name is: \"{s}\"\n",
        .{input},
    );
}
4

1 回答 1

3

这应该做你想要的。

const input = while (true) {
   const x = nextLine(stdin.reader(), &buffer) catch continue;
   break x;
} else unreachable; // (see comment) fallback value could be an empty string maybe?

分解它:

  • 而不是try,您可以catch在出现错误的情况下执行某些操作,在这种情况下我们将重新启动循环。
  • while 循环也可以用作表达式,您可以break从它们中获取值。他们还需要一个else分支,以防循环结束而没有脱离它。在我们的例子中这是不可能的,因为我们将永远循环直到 nextLine 成功,但是如果我们有另一个退出条件(比如重试次数的限制),那么我们需要提供一个“回退”值,而不是unreachable.

您也可以将其设为单线:

const input = while (true) break nextLine(stdin.reader(), &buffer) catch continue else unreachable;

希望新的自托管编译器能够接受 else 分支不是必需的事实,因为我们将永远中断值循环。

于 2022-01-27T14:54:07.830 回答