C# While TryParse

本文关键字:TryParse While | 更新日期: 2023-09-27 18:04:28

char typeClient = ' ';
bool clientValide = false;
while (!clientValide)
{
     Console.WriteLine("'nEntrez le type d'employé (c ou g) : ");
     clientValide = char.TryParse(Console.ReadLine(), out typeClient);
     if (clientValide)
         typeClient = 'c';
}

我想让它不退出while语句,除非字符是'g'或'c'的帮助!:)

C# While TryParse

string input;
do {
    Console.WriteLine("Entrez le type d'employé (c ou g):");
    input = Console.ReadLine();
} while (input != "c" && input != "g");
char typeClient = input[0];

如果您使用Console.ReadLine,则用户必须在按cg后按回车。使用ReadKey代替,这样响应是即时的:

bool valid = false;
while (!valid)
{
    Console.WriteLine("'nEntrez le type d'employé (c ou g) : ");
    var key = Console.ReadKey();
    switch (char.ToLower(key.KeyChar))
    {
        case 'c':
            // your processing
            valid = true;
            break;
        case 'g':
            // your processing
            valid = true;
            break;
        default:
            Console.WriteLine("Invalid. Please try again.");
            break;
    }
}

你真的很接近了,我想这样的东西会很适合你:

char typeClient = ' ';
while (typeClient != 'c' && typeClient != 'g')
{
    Console.WriteLine("'nEntrez le type d'employé (c ou g) : ");
    var line = Console.ReadLine();
    if (!string.IsNullOrEmpty(line)) { typeClient = line[0]; }
    else { typeClient = ' '; }
}

基本上,当用户输入某些内容时,它会将输入读入typeClient变量,因此循环将继续,直到用户输入gc

您可以使用ConsoleKeyInfoConsole.ReadKey():

 ConsoleKeyInfo keyInfo;
 do {
   Console.WriteLine("'nEntrez le type d'employé (c ou g) : ");
   keyInfo = Console.ReadKey();
 } while (keyInfo.Key != ConsoleKey.C && keyInfo.Key != ConsoleKey.G);