0

我有这个非常简单的 C# 代码:

static void Main(string[] args)
{
    int i, pcm, maxm = 0;
    for (i = 1; i <= 3; i++)
    {
        Console.WriteLine("Please enter your computer marks");
        pcm = int.Parse(Console.ReadLine());
    }
    Console.ReadKey();
}

我想获得 var pcm 的最大值,我该怎么做?

4

5 回答 5

4

只要跟踪它!

对于每次迭代,如果输入的数字大于您在 中的数字maxm,则设置maxm为等于当前输入的数字。

最后,您将拥有最大值。

伪代码:

max = 0
for three iterations
  get a number
  if that number is more than max
    then set max = that number
于 2013-10-05T00:40:46.113 回答
0

只是已发布的另一种选择。

static void Main(string[] args)
{
   var numbers = new List<int>();

   for (var i = 1; i <= 3; i++)
   {
       Console.WriteLine("Please enter your computer marks");
       numbers.Add(int.Parse(Console.ReadLine()));
   }

   Console.WriteLine(string.Format("Maximum value: {0}", numbers.Max());
   Console.ReadKey();
}
于 2013-10-05T00:39:40.020 回答
0

您可以将输入的值保存在maxm变量中。如果用户键入更大的数字,则替换该值:

static void Main(string[] args)
{
    int i, pcm = 0, maxm = 0;
    for (i = 1; i <= 3; i++)
    {
        Console.WriteLine("Please enter your computer marks");
        pcm = int.Parse(Console.ReadLine());

        // logic to save off the larger of the two (maxm or pcm)
        maxm = maxm > pcm ? maxm : pcm;
    }
    Console.WriteLine(string.Format("The max value is: {0}", maxm));
    Console.ReadKey();
}
于 2013-10-05T00:42:39.770 回答
0

我会试试这个

static void Main(string[] args)
{
    int i, pcm, maxm = 0;
    for (i = 1; i <= 3; i++)
    {
        Console.WriteLine("Please enter your computer marks");
        pcm = int.Parse(Console.ReadLine());
        if(maxm <= pcm)
        {
             maxm = pcm;
        }
    }
    Console.ReadKey();
}
于 2013-10-05T00:48:47.753 回答
0

只是为了好玩,这是另一个使用 Linq 的解决方案。

static void Main(string[] args)
{
    int i, pcm, maxm = 0;
    List<int> vals = new List<int>();
    for (i = 1; i <= 3; i++)
    {
    Console.WriteLine("Please enter your computer marks");
    pcm = int.Parse(Console.ReadLine());
    vals.Add(pcm);
    }
    maxm = vals.Max(a => a);
    Console.ReadKey();
}
于 2013-10-05T00:57:05.103 回答