cout.width(total_rows --current_row)を使用して、パスカルの三角形をやや三角形に出力するコードを正常に記述しましたが、次のようになります。
1
1 1
1 2 1
1 3 3 1
1 4 6 4 1
1 5 10 10 5 1
1 6 15 20 15 6 1
1 7 21 35 35 21 7 1
1 8 28 56 70 56 28 8 1
1 9 36 84 126 126 84 36 9 1
1 10 45 120 210 252 210 120 45 10 1
1 11 55 165 330 462 462 330 165 55 11 1
1 12 66 220 495 792 924 792 495 220 66 12 1
1 13 78 286 715 1287 1716 1716 1287 715 286 78 13 1
1 14 91 364 1001 2002 3003 3432 3003 2002 1001 364 91 14 1
1 15 105 455 1365 3003 5005 6435 6435 5005 3003 1365 455 105 15 1
完全に中央に配置してほしい。下の行の1つまたは複数の文字を取得し、現在の行の文字数を減算し、これを2で割って、行ごとに必要なスペースの数を取得できることがわかりました[次のようになります:cout.width( (bottow_row_characters --current_row_characters)/ 2)]ですが、実際にこのアイデアを実装するのに問題があります。
一番下の行だけを計算して文字列または配列を格納し、string.length()またはsizeof(array)を使用してみましたが、どちらも機能しませんでした。(sizeofは常に4を返しますが、これは正しくありません)
コードは次のとおりです。
#include <iostream>
#include <string>
using namespace std;
// Forward declaration of a function.
int Pascal (int row, int column);
/* The main function.
*
* Parameters:
* none
*
* Return value:
* 0 if we complete successfully, 1 if there was an error.
*/
int main ()
{
// introduction
cout << "\nPascal's Triangle!\n";
cout << "(Pascal's triangle is made by taking the sum of two numbers\n";
cout << "and placing that number directly underneath the two numbers.\n";
cout << "This creates a triangular array of binomial coefficients)\n\n";
// for loops to calculate and print out pascal's triangle
for (int row = 0; row <= 15; row++)
{
cout.width(16 - row);
for (int column = 0; column <= row; column++)
{
cout << Pascal(row, column) << " ";
}
cout << endl;
}
cout << endl;
}
/* This function calculates Pascal's triangle based on row and column position.
*
* Parameters:
* row, column
*
* Return value:
* the numbers in Pascal's triangle
*/
int Pascal (int row, int column)
{
// if statements to calculate pascal's triangle through recursion
if (column == 0)
return 1;
else if (row == column)
return 1;
else
return Pascal(row - 1, column - 1) + Pascal(row - 1, column);
}