给定N个整数的数组arr [] 。任务是找到数组每个元素的阶乘和。
例子:
Input: arr[] = {7, 3, 5, 4, 8}
Output: 45510
7! + 3! + 5! + 4! + 8! = 5040 + 6 + 120 + 24 + 40320 = 45510
Input: arr[] = {2, 1, 3}
Output: 9
方法:实现一个函数factorial(n) ,该函数查找n的阶乘并初始化sum = 0 。现在,遍历给定的数组,并为每个元素arr [i]更新sum = sum + factorial(arr [i]) 。最后打印计算出的总和。
下面是上述方法的实现:
C++
// C++ implementation of the approach
#include
#include
using namespace std;
// Function to return the factorial of n
int factorial(int n)
{
int f = 1;
for (int i = 1; i <= n; i++)
{
f *= i;
}
return f;
}
// Function to return the sum of
// factorials of the array elements
int sumFactorial(int *arr, int n)
{
// To store the required sum
int s = 0,i;
for (i = 0; i < n; i++)
{
// Add factorial of all the elements
s += factorial(arr[i]);
}
return s;
}
// Driver code
int main()
{
int arr[] = { 7, 3, 5, 4, 8 };
int n = sizeof(arr) / sizeof(arr[0]);
cout << sumFactorial(arr, n);
return 0;
}
// This code is contributed by 29AjayKumar
Java
// Java implementation of the approach
class GFG {
// Function to return the factorial of n
static int factorial(int n)
{
int f = 1;
for (int i = 1; i <= n; i++) {
f *= i;
}
return f;
}
// Function to return the sum of
// factorials of the array elements
static int sumFactorial(int[] arr, int n)
{
// To store the required sum
int s = 0;
for (int i = 0; i < n; i++) {
// Add factorial of all the elements
s += factorial(arr[i]);
}
return s;
}
// Driver Code
public static void main(String[] args)
{
int[] arr = { 7, 3, 5, 4, 8 };
int n = arr.length;
System.out.println(sumFactorial(arr, n));
}
}
Python3
# Python implementation of the approach
# Function to return the factorial of n
def factorial(n):
f = 1;
for i in range(1, n + 1):
f *= i;
return f;
# Function to return the sum of
# factorials of the array elements
def sumFactorial(arr, n):
# To store the required sum
s = 0;
for i in range(0,n):
# Add factorial of all the elements
s += factorial(arr[i]);
return s;
# Driver code
arr = [7, 3, 5, 4, 8 ];
n = len(arr);
print(sumFactorial(arr, n));
# This code contributed by Rajput-Ji
C#
// C# implementation of the approach
using System;
class GFG
{
// Function to return the factorial of n
static int factorial(int n)
{
int f = 1;
for (int i = 1; i <= n; i++)
{
f *= i;
}
return f;
}
// Function to return the sum of
// factorials of the array elements
static int sumFactorial(int[] arr, int n)
{
// To store the required sum
int s = 0;
for (int i = 0; i < n; i++)
{
// Add factorial of all the elements
s += factorial(arr[i]);
}
return s;
}
// Driver Code
public static void Main()
{
int[] arr = { 7, 3, 5, 4, 8 };
int n = arr.Length;
Console.WriteLine(sumFactorial(arr, n));
}
}
// This code is contributed by Ryuga
PHP
Javascript
输出:
45510