Search code examples
ceulers-number

Optimizing an algorithm that approximates the euler number (e) in C


For starters, I'm reinventing the wheel here. I know there is a constant in C for Euler's number. As I find it easier to create scientific programs than any other type of problem, I use these problems to practice and become a good developer.

/* calculating euler number */

#include <stdio.h>
int fat(int x);
int main(void)

{
    int n; int y; double en = 1.0; //en = euler number
    
    printf("Entre com o valor de n para a aproximação do número de Euler: \n");//prompt
    scanf("%d", &n);//read n
    //n big enough -> aproximation for en is close of real value of euler number
    if (n < 0){ //if the user input a negative value
        printf("Error!\n");
    }
    else {//if the user is not a troll and enter a positive integer
        for (y = 1; y <= n; y++){ 
            en = en + (1.0/(fat(y))); // en = summation(1/fat(y))
            //printf("y = %d and en = %.9lf\n", y, en); this line is for studying when en return 'inf'

        }
        printf("O valor aproximado de e é aproximadamente %.9lf\n", en);//print euler number aproximation
    }
}
int fat(int x){//defining the factorial function
    int factorial = 1;
    int f;
    for (f = 1; f <= x; f++){
        factorial = factorial * f;
    }
    return factorial;
}

I compiled and ran the code a few times, and I noticed that the approximate value exceeds the Euler value by n=19, en=2.718281835 (the last two digits should be 28). For n greater than 33, the program returns en = inf. Probably because factorial of 34 is already too huge a value for my code.

My question is: how to take advantage of the idea behind this code and make a more optimized program, for example, an algorithm that does not exceed the value of the Euler number.

I know, my code isn't very good, but it's what I managed to build without consulting anything but a math book on how to get the Euler number. Thanks in advance!


Solution

  • Would you please try the following:

    #include <stdio.h>
    #include <stdlib.h>
    
    int
    main()
    {
            int i, n;
            long double en = 1.0;   // Euler's number
            long double f = 1.0;    // factorial number
    
            printf("Enter the value of n to approximate Euler's number: ");
            scanf("%d", &n);
    
            if (n < 1) {
                    printf("Error\n");
                    exit(1);
            }
    
            for (i = 1; i <= n; i++) {
                    f *= i;
                    en += 1 / f;
            }
            printf("n = %d and en = %.9Lf\n", n, en);
    
            return 0;
    }
    

    It outputs for n = 12:

    n = 12 and en = 2.718281828
    

    and keeps the same en value for larger n's.