天天看點

C++複數類的運算符重載

運算符重載在複數類中簡單的運用

#pragma once

#include<iostream>
#include<assert.h>

using namespace std;

class Complex
{
public:
	Complex(double real, double image)
		:_real(real)
		,_image(image)
	{
		cout << "構造 "<< endl;
	}

	Complex(const Complex& data)
	{
		_real = data._real;
		_image = data._image;
		//cout << "拷貝構造 " << endl;
	}
	
	~Complex()
	{

	}

	Complex operator+(const Complex& c)
	{
		_real = _real + c._real;
		_image = _image + c._image;
		return *this;
	}
	Complex operator-(const Complex& c)
	{
		_real = _real - c._real;
		_image = _image - c._image;
		return *this;
	}
	Complex operator*(const Complex& c)
	{
		_real = (_real * c._real) - (_image * c._image);
		_image = (_image * c._real) + (c._image * _real);
		return *this;
	}
	Complex operator/(const Complex& c)
	{
		assert(c._real != 0 && c._image != 0);
		_real = ((_real * c._real) + (_image * c._image)) / ((c._real * c._real) + (c._image * c._image));
		_image = ((_image * c._real) - (c._image * _real)) / ((c._real * c._real) + (c._image * c._image));
	}

	Complex& operator+=(const Complex& c)
	{
		_real = _real + c._real;
		_image = _image + c._image;
		return *this;
	}
	Complex& operator-=(const Complex& c)
	{
		_real = _real - c._real;
		_image = _image - c._image;
		return *this;
	}
	Complex& operator*=(const Complex& c)
	{
		_real = (_real * c._real) - (_image * c._image);
		_image = (_image * c._real) + (c._image * _real);
		return *this;
	}
	Complex& operator/=(const Complex& c)
	{
		assert(c._real != 0 && c._image != 0);
		_real = ((_real * c._real) + (_image * c._image)) / ((c._real * c._real) + (c._image * c._image));
		_image = ((_image * c._real) - (c._image * _real)) / ((c._real * c._real) + (c._image * c._image));
	}

	bool operator<(const Complex& c)
	{
		if (_real < c._real)
		{
			return true;
		}
		return false;
	}
	bool operator>(const Complex& c)
	{
		if (_real > c._real)
		{
			return true;
		}
		return false;
	}
	bool operator<=(const Complex& c)
	{
		if (_real <= c._real)
		{
			return true;
		}
		return false;
	}
	bool operator>=(const Complex& c)
	{
		if (_real >= c._real)
		{
			return true;
		}
		return false;
	}
	bool operator==(const Complex& c)
	{
		if (_real == c._real)
		{
			return true;
		}
		return false;
	}
	bool operator!=(const Complex& c)
	{
		if (_real != c._real)
		{
			return true;
		}
		return false;
	}

private:
	double _real;
	double _image;
};
           

繼續閱讀