1. Home
  2. Docs
  3. Numerical Methods
  4. Solution of Nonlinear Equations
  5. Newton-Raphson Method

Newton-Raphson Method

Introduction

Consider a graph below of f(x) . Let us consider x_1 is an approximate root of f(x) = 0. Draw a tangent at the curve f(x) at x = x_1 as shown in figure aside. The point of intersection of this tangent with the x-axis gives the second approximation to the root. Let the point of intersection be x_2. The slope of the tangent is given by;

    \[ tan\alpha = {{f(x_1)} \over {x_1-x_2}} = f'(x_1) \]

where f(x_1) is the slope of f(x) at x=x_1. Solving for x_2 we obtain

    \[ x_2 = x_1 - {f(x_1) \over f'(x_1)} \]

This is called the Newton-Raphson formula.
The next approximation would be

    \[ x_3 = x_2 - {f(x_2) \over f'(x_2)} \]

So, we can generalize the next approximation using

    \[ x_{n+1} = x_n - {f(x_n) \over f'(x_n)} \]

And finally the process is repeated until the difference between the consecutive values are within prescribed limit.

NewtonRaphson
Newton-Raphson Method

Algorithm

1. Guess initial root = x_1 and define stopping criteria error
2. Evaluate f(x_1) and f'(x_1)
3. Compute the new root

    \[ x_2 = x_1 - {f(x_1) \over f'(x_1)} \]

4. Set x_1 = x_2
5. Check if |f(x_2)| > error
          goto step 3, else
6. Print root = x_2
7. End

Code

C

#include <stdio.h>
#include <stdlib.h>
#include <math.h>
#define f(x) ((x * x * x) - 18)
#define fd(x) (3 * x * x)
#define fdd(x) 6 * x
int main()
{
    float x0, x1, error, errorold, converge, order;
    int i = 0;
    printf("Input the approximation : ");
    scanf("%f", &x0);
    converge = (f(x0) * fdd(x0)) / (fd(x0) * fd(x0));
    if (converge > 1)
        exit(1);
    printf("Ite\tX0\t\tX1\t\tError\t\tOrder\n");
    do
    {
        errorold = error;
        x1 = x0 - (f(x0) / fd(x0));
        if (f(x1) == 0)
        {
            break;
        }
        error = fabs(x1 - x0);
        printf("%2d\t%4.6f\t%4.6f\t%4.6f\t", ++i, x0, x1, error);
        if (i == 1 || error == 0 || errorold == 1)
        {
            printf("-----\n");
        }
        else
        {
            order = log(error) / log(errorold);
            printf("%4.6f\n", order);
        }
        x0 = x1;
    } while (error > 0.00005);
    printf("Root is %4.6f", x0);
    return 0;
}

Javascript

Was this article helpful to you? Yes No

How can we help?

Leave a Reply

Your email address will not be published. Required fields are marked *