求ax2+bx+c=0方程的根。a、b、c由键盘输入,设b²-4ac>0 用C语言编写
时间: 2024-12-21 11:26:30 浏览: 5
在C语言中,求解二次方程ax^2 + bx + c = 0的根,当判别式b² - 4ac大于0(意味着方程有两个实数根)时,可以使用公式法。下面是一个简单的程序示例:
```c
#include <stdio.h>
#include <math.h>
// 定义函数来计算并返回二次方程的两个根
void quadraticRoots(double a, double b, double c) {
double discriminant = b * b - 4 * a * c; // 计算判别式
if (discriminant > 0) { // 如果判别式为正
double root1 = (-b + sqrt(discriminant)) / (2 * a); // 第一根
double root2 = (-b - sqrt(discriminant)) / (2 * a); // 第二根
printf("The roots are:\n");
printf("Root 1: %.2lf\n", root1);
printf("Root 2: %.2lf\n", root2);
} else if (discriminant == 0) { // 当判别式为零,方程有唯一实根
double root = -b / (2 * a);
printf("The single root is: %.2lf\n", root);
} else { // 当判别式小于0,方程无实数根
printf("The equation has no real roots.\n");
}
}
int main() {
double a, b, c;
printf("Enter coefficients a, b, and c: ");
scanf("%lf %lf %lf", &a, &b, &c);
quadraticRoots(a, b, c);
return 0;
}
```
在这个程序中,用户会被提示输入三个系数a、b和c,然后`quadraticRoots`函数会计算并打印出根。注意,这个代码没有处理异常情况,如除数为零等,实际应用中需要增加相应的错误检查。
阅读全文