在 C++ 中打印数字阶乘的程序

Program to print Factorial of a number in c++

Q) 编写一个定义和测试阶乘函数的程序。一个数的阶乘是从1到N的所有整数的乘积。 例如,5 的阶乘为 1 * 2 * 3 * 4 * 5 = 120

问题:我可以打印结果,但不能这样打印:

let n = 5
Output : 1 * 2 * 3 * 4 * 5 = 120;

我的代码:

# include <bits/stdc++.h>

using namespace std;


int Factorial (int N)
{
    int i = 0;int fact = 1;

    while (i < N && N > 0) // Time Complexity O(N)
    {
        fact *=  ++i;
    }

    return fact;
}

int main()
  {
    int n;cin >> n;
    
    cout << Factorial(n) << endl;
    return 0;
  }

I am able to print the result,but not able to print like this : let n = 5 Output : 1 * 2 * 3 * 4 * 5 = 120;

这确实是您的代码正在做的事情。您只打印结果。 如果你想在打印结果之前打印从 1 到 N 的每个整数,你需要更多的 cout 调用或其他方式来操作输出。

这应该只是一个想法,这远不是一个很好的例子,但它应该可以完成工作。

int main()
  {
    int n;cin >> n;
    
    std::cout << "Factorial of " << n << "!\n";
    for (int i =1; i<=n; i++)
    {
        if(i != n)
            std::cout << i << " * ";
        else
            std::cout << n << " = ";
    }

    cout << Factorial(n) << endl;
    return 0;
  }

使用 std::string and std::stringstream

的更好方法
#include <string>
#include <sstream>
using namespace std;

int main()
{
    int n;
    cin >> n;
    stringstream sStr;
    sStr << "Factorial of " << n << " = ";
    
    for (int i = 1; i <= n; i++)
    {
        if (i != n)
            sStr << i << " * ";
        else
            sStr << i << " = ";
    }
    sStr << Factorial(n) << endl;
    cout << sStr.str();
    return 0;
}