输出错误信息后重启while循环

Restart the while loop after the error message in the output

问题:如何重新启动以下代码块?我的想法是,如果您输入一个字符,将 return 显示一条错误消息。循环的条件是什么?

string r_operation;
Console.Write("\tBitte geben Sie ihre Rechenoperation ein: ");
r_operation = Console.ReadLine();
-------------

while (?r_operation = Console.ReadLine())
{
Console.WriteLine("\tUngültige Eingabe. Bitte geben Sie nur Zahlen ein!");
}

您可以将现有代码转换为使用 int.TryParse 方法,其中 returns 一个 bool 指示输入字符串是否为有效数字(并设置一个 out参数转换后的值):

Console.Write("\tBitte geben Sie ihre Rechenoperation ein: ");
string r_operation = Console.ReadLine();
int result = 0;

while (!int.TryParse(r_operation, out result))
{
    Console.WriteLine("\tUngültige Eingabe. Bitte geben Sie nur Zahlen ein!");
    Console.Write("\tBitte geben Sie ihre Rechenoperation ein: ");
    r_operation = Console.ReadLine();
}

// When we exit the while loop, we know that 'r_operation' is a number, 
// and it's value is stored as an integer in 'result'

另一种方法是将从用户那里获取strongly-typed号码的过程封装到一个方法中。这是我使用的一个:

private static int GetIntFromUser(string prompt, Func<int, bool> validator = null)
{
    int result;
    var cursorTop = Console.CursorTop;

    do
    {
        ClearSpecificLineAndWrite(cursorTop, prompt);
    } while (!int.TryParse(Console.ReadLine(), out result) ||
             !(validator?.Invoke(result) ?? true));

    return result;
}

private static void ClearSpecificLineAndWrite(int cursorTop, string message)
{
    Console.SetCursorPosition(0, cursorTop);
    Console.Write(new string(' ', Console.WindowWidth));
    Console.SetCursorPosition(0, cursorTop);
    Console.Write(message);
}

使用这些辅助方法,您的代码可以简化为:

int operation = GetIntFromUser("\tBitte geben Sie ihre Rechenoperation ein: ");

如果您想添加一些额外的约束,辅助方法还接受一个 validator 函数(它接受一个 int 和 returns 一个 bool 指示int 是否有效)。所以如果你想限制数字从 15,你可以这样做:

var result = GetIntFromUser("Enter a number from 1 to 5: ", i => i > 0 && i < 6);