0

我有一堆用户输入的整数分配给一个变量“c”,并试图从超过 122 的值中减去。我尝试了很多不同的循环,但我通常会卡住它不工作或拿走 90从他们所有人。那么,我究竟如何从超过 122 的数字中减去 90 呢?

(这是一个凯撒移位加密程序,122 是 ASCII 中的小写“z”)

        List<int> valerie = new List<int>();
        for (int i = 32; i < 122; i++)
        {
            valerie.Add(i);
        }

        Console.WriteLine("E - Encrypt");
        Console.WriteLine("D - Decrypt");

        string choice = Console.ReadLine();

        switch (choice.ToUpper())
        {
            case "E":


                Console.WriteLine("Enter Caesar shift.");
                string shift = Console.ReadLine();
                int offset = int.Parse(shift);
                Console.WriteLine("Enter phrase.");
                string phrase = Console.ReadLine();
                byte[] asciiBytes = Encoding.ASCII.GetBytes(phrase);
                foreach(byte b in asciiBytes)
                { 
                    int a = Convert.ToInt32(b);
                    int c = a + offset;
                    Console.WriteLine(c);
                    char d = (char)c;
                    Console.WriteLine(d);
                }
4

2 回答 2

2

您必须使用模块化算术:不仅将 a 添加offset到每个字符,而且取余数,因此在Linq的帮助下您可以将其放入:

 int offset = ...
 String phrase = ...;

 // Providing that the phrase constains 'A'..'z' ard/or 'a'..'z' only
 String encoded = new String(phrase
   .Select(ch => (Char) (ch <= 'Z' ? 
            (ch + offset) % 26 + 'A' : // note "% 26"
            (ch + offset) % 26 + 'a')) // note "% 26"
   .ToArray());
于 2015-09-14T11:41:45.590 回答
0

要么我误解了你的问题,要么你只需要检查你的输入......

//Version 1
int c = a;
if(a > 122)
    c = c - offset;

//Version 2, more compact
int c = a > 122 ? a : a + offset;
于 2015-09-14T11:41:10.770 回答