1. 문제
1. Book 객체에 대해 다음 연산을 하고자 한다.
(1) +=, -= 연산자 함수를 Book 클래스의 멤버 함수로 구현하라.
2. 결과
3. 코드
#include <iostream>
#include <string>
using namespace std;
class Book {
string title;
int price, pages;
public :
Book(string title="", int price=0, int pages=0) {
this->title = title; this->price = price; this->pages = pages;
}
void show() {
cout << title << ' ' << price << "원 " << pages << " 페이지" << endl;
}
string getTitle() { return title; }
void operator +=(int n) { price += n; }
void operator -=(int n) { price -= n; }
};
int main() {
Book a("청춘", 20000, 300), b("미래", 30000, 500);
a += 500;
b -= 500;
a.show();
b.show();
}
4. 설명
operator를 사용하여서 클래스의 멤버 함수로 구현 하였습니다.
"+=" 연산을 하면 클래스 변수에 저장되어 있는 price 값이 입력한 값과 += 계산이 되도록 구현하시면 됩니다.
이와 마찬가지로 "-=" 연산도 클래스 변수에 저장되어 있는 price 값과 -= 계산이 되도록 구현하면 됩니다.
1. 문제
1. Book 객체에 대해 다음 연산을 하고자 한다.
(2) +=, -= 연산자 함수를 Book 클래스 외부 함수로 구현하라.
2. 결과
3. 코드
#include <iostream>
#include <string>
using namespace std;
class Book {
string title;
int price, pages;
public :
Book(string title="", int price=0, int pages=0) {
this->title = title; this->price = price; this->pages = pages;
}
void show() {
cout << title << ' ' << price << "원 " << pages << " 페이지" << endl;
}
string getTitle() { return title; }
friend Book operator +=(Book &b, int n);
friend Book operator -=(Book &b, int n);
};
Book operator +=(Book &b, int n) {
b.price += n;
return b;
}
Book operator -=(Book &b, int n) {
b.price -= n;
return b;
}
int main() {
Book a("청춘", 20000, 300), b("미래", 30000, 500);
a += 500;
b -= 500;
a.show();
b.show();
}
4. 설명
클래스 외부 함수로 구현하기 위해서는 클래스의 public이 아닌 멤버 변수에도 접근해야 되므로 프렌드 함수로 구현 합니다.
프렌드 함수로 구현할 시 (Book &b, int n) 이처럼 b를 참조 변수로 선언합니다. 그런 후 구현부에서 b.price += n; 을 한 후 다시 b를 return 합니다.
main 함수에서 보면 "a += 500;" 에서 b가 Book 클래스 변수 a이고 int n이 500 이라고 보시면 됩니다.
'명품 C++ programming' 카테고리의 다른 글
명품 C++ programming 실습문제 7장 3번, 4번 (0) | 2019.04.16 |
---|---|
명품 C++ programming 실습문제 7장 2번 (0) | 2019.04.16 |
명품 C++ programming 6장 Open Challenge (0) | 2019.04.14 |
명품 C++ programming 실습문제 6장 8번 (0) | 2019.04.13 |
명품 C++ programming 실습문제 6장 7번 (0) | 2019.04.13 |