所以我试图用C#制作金字塔,但无法正确打印。
我正在为学校的C#班级做这件事,无法真正弄清楚如何正确地放置金字塔中的空间。我觉得我在这里确实做错了。

我得到的不是三角形,而是这样的:

   *
   **
  ***
  ****
 *****
 ******
*******
********


这是我的代码:

using System;

namespace Pyramidi
{
    class Ohjelma
    {
        static void Main()
        {
            int korkeusMax = 0;
            int valit = 0;
            do
            {
                Console.Write("Anna korkeus: ");
                korkeusMax = Convert.ToInt32(Console.ReadLine());
                if (korkeusMax > 0) {
                    break;
                }
                else {
                    continue;
                }
            }
            while(true);

            for (int korkeus = 1; korkeus <= korkeusMax; korkeus++)
            {

                valit = (korkeusMax - korkeus) / 2;
                for (int i = 0; i < valit; i++)
                {
                    Console.Write(" ");
                }
                for (int leveys = 1; leveys <= korkeus; leveys++)
                {
                    Console.Write("*");
                }
                Console.WriteLine();
            }

                Console.ReadLine();
        }
    }
}

最佳答案

尝试这个:

for (int korkeus = 0; korkeus < korkeusMax; korkeus++)
{
    for (int i = 0; i < (korkeusMax - korkeus - 1); i++)
    {
        Console.Write(" ");
    }
    for (int i = 0; i < (korkeus * 2 + 1); i++)
    {
        Console.Write("*");
    }
    Console.WriteLine();
}


或者,可以使用new String('*', num)代替循环。尝试这个:

for (int korkeus = 0; korkeus < korkeusMax; korkeus++)
{

    Console.Write(new String(' ', korkeusMax - korkeus - 1));
    Console.Write(new String('*', korkeus * 2 + 1));
    Console.WriteLine();
}

关于c# - 用C#制作星形金字塔,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22901673/

10-12 23:20