1. 程式人生 > >C++ 超簡單的複數類

C++ 超簡單的複數類

003:超簡單的複數類

總時間限制: 

1000ms

記憶體限制: 

65536kB

// 在此處補充你的程式碼

描述

下面程式的輸出是:

3+4i  5+6i

請補足Complex類的成員函式。不能加成員變數。

#include <iostream>
#include <cstring>
#include <cstdlib>
using namespace std;
class Complex {
private:
    double r,i;
public:
    void Print() {
        cout << r << "+" << i << "i" << endl;
    }
};
int main() {
    Complex a;
    a = "3+4i"; a.Print();
    a = "5+6i"; a.Print();
    return 0;
}

輸入

輸出

3+4i 5+6i

樣例輸入

樣例輸出

3+4i
5+6i

來源

Guo Wei

注意,這裡顯然是一個函式的過載操作,將字串的形式的複數表示拆分為浮點數表示,使用了STL中string模板庫中函式

#include <iostream>
#include <cstring>
#include <cstdlib>
using namespace std;
class Complex
{
private:
	double r, i;
public:
	void Print()
	{
		cout << r << "+" << i << "i" << endl;
	}

	Complex& operator = (const char* s)
	{
		string str = s;
		int pos = str.find("+", 0);
		string strReal = str.substr(0, pos);//分離出代表實部的字串
		r = atof(strReal.c_str());//atof庫函式能將const char*指標指向的內容轉換成float
		string strImaginary = str.substr(pos + 1, str.length() - pos - 2);//分離出虛部代表的字串
		i = atof(strImaginary.c_str());
		return *this;
	}
};

int main()
{
	Complex a;
	a = "3+4i";
	a.Print();
	a = "5+6i";
	a.Print();
	return 0;
}