fork download
  1. #include <iostream>
  2. using namespace std;
  3.  
  4. class Polynomial {
  5. private:
  6. int a, b, c;
  7. public:
  8. Polynomial(int a, int b, int c) : a(a), b(b), c(c) {}
  9.  
  10. int getA() const { return a; }
  11. int getB() const { return b; }
  12. int getC() const { return c; }
  13.  
  14. Polynomial operator+(const Polynomial& n) const {
  15. return Polynomial(a + n.a, b + n.b, c + n.c);
  16. }
  17.  
  18. Polynomial operator-(const Polynomial& n) const {
  19. return Polynomial(a - n.a, b - n.b, c - n.c);
  20. }
  21.  
  22. Polynomial operator*(int scalar) const {
  23. return Polynomial(a * scalar, b * scalar, c * scalar);
  24. }
  25. };
  26.  
  27. ostream& operator<<(ostream& out, const Polynomial& n) {
  28. if (n.getA() == 0 && n.getB() == 0 && n.getC() == 0) {
  29. out << "0";
  30. }
  31.  
  32. if (n.getA() != 0) {
  33. out << n.getA() << "x^2";
  34. }
  35.  
  36. if (n.getB() != 0) {
  37. if (n.getB() > 0) {
  38. out << "+" << n.getB() << "x";
  39. } else {
  40. out << n.getB() << "x";
  41. }
  42. }
  43.  
  44. if (n.getC() != 0) {
  45. if (n.getC() > 0) {
  46. out << "+" << n.getC();
  47. } else {
  48. out << n.getC();
  49. }
  50. }
  51.  
  52. return out;
  53. }
  54.  
  55. int main() {
  56. Polynomial n1(-2, 8, 3);
  57. Polynomial n2(9, 0, 5);
  58.  
  59. cout << "First Polynomial: " << n1 << endl;
  60. cout << "Second Polynomial: " << n2 << endl;
  61.  
  62. cout << "Addition: " << n1 + n2 << endl;
  63. cout << "Difference: " << n1 - n2 << endl;
  64. cout << "Multiplication: " << n1 * 8 << endl;
  65.  
  66. return 0;
  67. }
Success #stdin #stdout 0.01s 5276KB
stdin
Standard input is empty
stdout
First Polynomial: -2x^2+8x+3
Second Polynomial: 9x^2+5
Addition: 7x^2+8x+8
Difference: -11x^2+8x-2
Multiplication: -16x^2+64x+24