二次方程求解

题目描述
对于一元二次方程ax^2 + bx + c = 0,解可以分为很多情况。
若该方程有两个不相等实根,首先输出1,换行,然后从小到大输出两个实根,两个根以空格分隔,换行;
若该方程有两个相等实根,首先输出2,换行,然后输出这个实根,换行;
若该方程有一对共轭复根,输出3,换行;
若该方程无解,输出4,换行;
若该方程有无穷个解,输出5,换行;
若该方程只有一个根,首先输出6,换行,然后输出这个根,换行;
要求使用c++ class编写程序。可以创建如下class

include

include

include

using namespace std;
class Equation{
private:
int _a, _b, _c;
public:
Equation(int a, int b, int c){
}
void solve(){
}
};
int main(){
int a, b, c;
cin >> a >> b >> c;
Equation tmp(a, b, c);
tmp.solve();
}输入描述
该一元二次方程的系数a,b,c,且-100= 输出描述
解的情况。输出解的时候保留两位小数。
样例输入
1 4 3样例输出
1
-3.00 -1.00注释
输出使用了iomanip库,比如要输出a并保留两位小数,请使用语句: cout << fixed << setprecision(2) << a << endl;

#include 
#include 
#include 

using namespace std;

class Equation {
private:
    int _a, _b, _c;
public:
    Equation(int a, int b, int c) {
        this->_a = a;
        this->_b = b;
        this->_c = c;
    }

    void sove() {
        if (_a == 0) {
            if (_b == 0) {
                if (_c != 0) {
                    cout << 4 << endl;
                }
                else {
                    cout << 5 << endl;
                }

            }
            else {
                cout << 6 << endl;
                double value = (double)_c / -_b;
                cout << fixed << setprecision(2) << value << endl;
            }
            return;
        }
        int k = _b * _b - 4 * _a * _c;
        double x1, x2;
        if (k > 0) {
            x1 = (double)(-_b + sqrt(_b * _b - 4 * _a * _c)) / 2 * _a;
            x2 = (double)(-_b - sqrt(_b * _b - 4 * _a * _c)) / 2 * _a;
            cout << 1 << endl;
            cout << fixed << setprecision(2) << x1 << " " << x2 << endl;
        }
        else if (k == 0) {
            x1 = (double)-_b / 2 / _a;
            cout << 1 << endl;
            cout << fixed << setprecision(2) << x1 << endl;
        }
        else {
            cout << 3 << endl;
        }
    }
};



int main() {
    int a, b, c;
    cin >> a >> b >> c;
    Equation tmp(a, b, c);
    tmp.sove();
    return 0;
}

你可能感兴趣的:(二次方程求解)