02. Pascal Triangle
Здравейте, имам проблем с решаването на задачата Pascal Triangle от More Excercise в C# Fundamentals. Ако някой може да ми даде някакви насоки как да реша задачата с МАСИВИ. Благодаря ви предварително :)
Ето и условието на задачата:
The triangle may be constructed in the following manner: In row 0 (the topmost row), there is a unique nonzero entry 1. Each entry of each subsequent row is constructed by adding the number above and to the left with the number above and to the right, treating blank entries as 0. For example, the initial number in the first (or any other) row is 1 (the sum of 0 and 1), whereas the numbers 1 and 3 in the third row are added to produce the number 4 in the fourth row.
If you want more info about it: https://en.wikipedia.org/wiki/Pascal's_triangle
Print each row elements separated with whitespace.
Hints
- The input number n will be 1 <= n <= 60
- Think about proper type for elements in array
- Don’t be scary to use more and more arrays
Здравей!
Чудесно решение, но до 30-ти ред - някъде от средата на 31-ви се чупи...
Ето моето решение, с едномерни масиви, тъй като към задаването й двумерни масиви не са преподавани. Поствам двата варианта - с и без проверка дали началният елемент на реда е "1". В Judge и двата варианта дават 100/100.
- с проверка дали началният елемент на реда е "1":
int lines = int.Parse(Console.ReadLine());
long[] row = new long[lines];
long[] current = new long[lines];
row[0] = 1; //Startup row is always equal to "1"
Console.WriteLine(row[0]);
for (int r = 1; r < lines; r++)
{
for (int c = 0; c <= r; c++)
{
if (c == 0)
{
current[c] = 0 + row[c]; //Empty entries are treated as equal to "0"
}
else
{
current[c] = row[c - 1] + row[c];
}
Console.Write($"{current[c]} ");
}
for (int j = 0; j < lines; j++)
{
row[j] = current[j];
}
Console.WriteLine();
}
- без проверка дали началният елемент на реда е "1":
int lines = int.Parse(Console.ReadLine());
long[] row = new long[lines];
long[] current = new long[lines];
row[0] = 1; //Startup row is always equal to "1"
Console.WriteLine(row[0]);
for (int r = 1; r < lines; r++)
{
current[0] = 1; //Every 1st value in the row is always equal to "1"
Console.Write($"{current[0]} ");
for (int c = 1; c <= r; c++)
{
current[c] = row[c - 1] + row[c];
Console.Write($"{current[c]} ");
}
for (int j = 0; j < lines; j++)
{
row[j] = current[j];
}
Console.WriteLine();
}