class complex {
float x, y;
public:
complex() { x = y = 0.; }
complex(float real, float imag) {
x = real;
y = imag;
}
complex operator+(complex);
void display() {
cout << x << " +j" << y << endl;
}
};
complex complex::operator+(complex c) {
complex tmp;
tmp.x = x + c.x;
tmp.y = y + c.y;
return tmp;
}
int main() {
complex c1(2.5, 3.5), c2(1.6, 2.7), c3;
c3 = c1 + c2;
c3.display();
return 0;
}
complex complex::operator+(complex c) {
complex tmp;
tmp.x = x + c.x;
tmp.y = y + c.y;
return tmp;
}
이러한 방식 보다는
complex complex::operator+(complex c) {
return complex((x + c.x), (y + c.y));
}
다음과 같은 방식이 효율적이고 읽기 좋습니다.
class complex {
float x, y;
public:
complex() { x = y = 0.; }
complex(float real, float imag) {
x = real;
y = imag;
}
friend complex operator+(complex, int);
friend complex operator+(int, complex);
void display() {
cout << x << " +j" << y << endl;
}
};
complex operator+(complex a, int b) {
return complex((b + a.x), a.y);
}
complex operator+(int b, complex a) {
return complex((b + a.x), a.y);
}
int main() {
complex c1(2.5, 3.5), c2;
c2 = c1 + 1;
c2.display();
c2 = 1 + c1;
c2.display();
return 0;
}
생성자 만들기
연산자 함수 만들기
class dst {
int code;
public:
void setcode(int a) { code = a; }
void display() {
cout << "dst code= " << code
<< endl;
}
};
class src {
int code;
public:
src(int a) { code = a; }
void display() {
cout << "src code= " << code
<< endl;
}
operator int() { return code * code; }
operator dst() {
dst d;
d.setcode(code * code);
return d;
}
};
int main() {
//int to class
src s = 5;
s.display();
//class to int
int val = s;
cout << "val=" << val << endl;
//class to class
dst d;
d = s;
d.display();
return 0;
}