Skip to content

Instantly share code, notes, and snippets.

@AnuragAnalog
Created July 18, 2021 09:08
Show Gist options
  • Save AnuragAnalog/e4fb32f0aeb327aea45452d457bebe4d to your computer and use it in GitHub Desktop.
Save AnuragAnalog/e4fb32f0aeb327aea45452d457bebe4d to your computer and use it in GitHub Desktop.
Newton Raphson method Implementation in C
/* This method is generally used to improve the result obtained by one of the
previous methods. Let x0 be an approximate root of f(x) = 0 and let x1 = x0 + h be
the correct root so that f(x1) = 0.
Expanding f(x0 + h) by Taylor’s series, we get
f(x0) + hf′(x0) + h2/2! f′′(x0) + ...... = 0
Since h is small, neglecting h2 and higher powers of h, we get
f(x0) + hf′(x0) = 0 or h = – f(x0)/f'(x0)
A better approximation than x0 is therefore given by x1, where
x1 = x0 - f(x0)/f'(x0)
Successive approximations are given by x2, x3, ....... , xn + 1, where
x(n+1) = xn - f(xn)/f'(xn) (n = 0, 1, 2, 3, .......)
Which is Newton-Raphson formula. */
/*************** PROGRAM STARTS HERE ***************/
#include <stdio.h>
#include <stdlib.h>
#include <math.h>
/********* FUNCTION DECLARATION *********/
float function(float val);
void check_bound(float a);
float function_d(float val);
void newton(float a);
/********** MAIN STARTS HERE *********/
int main(int argc, char **argv)
{
float a;
if (argc != 2)
{
fprintf(stderr, "Usage: %s <guess>\n", argv[0]);
exit(1);
}
a = atof(argv[1]);
check_bound(a);
printf("By using Newton-Raphson method: \n");
printf("The equation is: \n");
printf("\t");
printf("f(x) = x^4 - 26x^2 + 49x - 25\n");
printf("------------------------\n");
printf(" f(x) f'(x) \n");
printf("------------------------\n");
newton(a); //Calling Function
exit(0);
}
void newton(float a)
{
float fa, fa_d, root, i = 0; //Declaration of variables in float
while (1) //Infinte Loop
{
fa = function(a); //Calling Functions
fa_d = function_d(a); //Calling Functions
printf("%f %f\n", fa, fa_d);
root = a - (fa/fa_d);
if (floor(a*10000) == floor(root*10000)) //Comparing the roots
{
printf("The given root is %f after %.1f iterations\n", root, i);
break; //Getting out of the loop
}
a = root;
i++; //Incrementing i
}
return ;
}
float function(float val)
{
float fx, x = val; //Declaration of variables in float
fx = (x * x * x * x) - (26 * x * x) + (49 * x) - 25; // f(x)
return fx; //Returning the value of f(x) at x1
}
float function_d(float val)
{
float fx_d, x = val; //Declaration of variables in float
fx_d = (4 * x * x * x) - (52 * x) + 49; // f'(x)
return fx_d; //Returning the value of f'(x) at x1
}
void check_bound(float a)
{
float fa; //Declaration of variables in float
fa = function(a); //Calling Functions
if (fa == 0) //Check condition
{
printf("The root is one of the boundaries.\n");
exit(0);
}
return ;
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment