- Trending Categories
Data Structure
Networking
RDBMS
Operating System
Java
iOS
HTML
CSS
Android
Python
C Programming
C++
C#
MongoDB
MySQL
Javascript
PHP
Physics
Chemistry
Biology
Mathematics
English
Economics
Psychology
Social Studies
Fashion Studies
Legal Studies
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
C program to find the Roots of Quadratic equation
In this tutorial, we will be discussing a program to find the roots of the Quadratic equation.
Given a quadratic equation of the form ax2 + bx + c. Our task is to find the roots x1 and x2 of the given equation.
For this, we are using the deterministic method, in this
D = √b2 - 4ac
then the roots of the equation will be
x1 = (-b + D)/2a ,and
x2 = (-b - D)/2a
Example
#include<stdio.h> #include<math.h> #include<stdlib.h> //calculating the roots of equation void calc_roots(int a, int b, int c) { if (a == 0) { printf("Invalid Equation"); return; } int d = b*b - 4*a*c; double sqrt_val = sqrt(abs(d)); if (d > 0) { printf("Roots are both real and different
"); printf("%f
%f",(double)(-b + sqrt_val)/(2*a) , (double)(-b - sqrt_val)/(2*a)); } else if (d == 0) { printf("Roots are real and same
"); printf("%f",-(double)b / (2*a)); } else { printf("Roots are complex
"); printf("%f + i%f
%f - i%f", -(double)b /(2*a),sqrt_val ,-(double)b / (2*a), sqrt_val); } } int main() { int a = 2, b = -5, c = 8; calc_roots(a, b, c); return 0; }
Output
Roots are complex 1.250000 + i6.244998 1.250000 - i6.244998
- Related Articles
- C++ Program to Find All Roots of a Quadratic Equation
- Java program to find the roots of a quadratic equation
- How to write a C program to find the roots of a quadratic equation?
- Java Program to Find all Roots of a Quadratic Equation
- Haskell program to find all roots of a quadratic equation
- Kotlin Program to Find all Roots of a Quadratic Equation
- How to Find all Roots of a Quadratic Equation in Golang?
- Finding roots of a quadratic equation – JavaScript
- Find the quadratic roots in the equation$4x^{2}-3x+7$
- Program to find number of solutions in Quadratic Equation in C++
- Write all the values of k for which the quadratic equation $x^2+kx+16=0$ has equal roots. Find the roots of the equation so obtained.
- Find the roots of the following quadratic equation:$x^{2} -3sqrt {5} x+10=0$
- Find the roots of the quadratic equation $sqrt{2}x^{2}+7x+5sqrt{2}=0$.
- Find $p$, if quadratic equation $py( y-2)+6=0$ has equal roots.
- Find the value of p for which the quadratic equation $(p + 1)x^2 - 6(p + 1)x + 3(p + 9) = 0, p ≠ -1$ has equal roots. Hence, find the roots of the equation.

Advertisements