일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- c# 윈폼
- c# winform
- Houdini
- dart 언어
- 구조체
- C++
- 플러터
- HTML
- Flutter
- c언어
- git
- 다트 언어
- docker
- C언어 포인터
- gitlab
- 깃
- 유니티
- 도커
- jupyter
- C# delegate
- 포인터
- Algorithm
- Unity
- Python
- github
- c#
- Data Structure
- c# 추상 클래스
- vim
- jupyter lab
Archives
- Today
- Total
nomad-programmer
[Programming/C++] const 멤버 함수와 비 const 멤버 함수 본문
const 멤버 함수는 멤버 함수 내에서 객체의 멤버 변수를 변경하지 않는다는 것을 보장하는 함수이다.
따라서 const 객체는 const 멤버 함수만 호출할 수 있다. const 멤버 함수에서 멤버 변수를 변경하면 컴파일 에러가 발생한다. 사실 자신의 멤버를 변경하지 않는 멤버 함수는 모두 const 멤버 함수여야만 한다.
다음은 cosnt 멤버 함수 예제이다.
class Point{
public:
Point(int _x=0, int _y=0) : x(_x), y(_y) {}
int GetX() const { return x; }
int GetY() const { return y; }
void SetX(int _x) { x = _x; }
void SetY(int _y) { y = _y; }
void Print() const {
cout << x << ", " << y << endl;
}
private:
int x;
int y;
};
int main(){
// const 객체. 모든 멤버 변경 불가
const Point p1(0, 0);
// 비 const 객체
Point p2(2, 3);
p1.Print();
p2.Print();
cout<<"p1: "<<p1.GetX()<<" "<<p1.GetY()<<endl;
cout<<"p2: "<<p2.GetX()<<" "<<p2.GetY()<<endl;
// error, const 객체는 const 멤버 함수만 호출 가능
p1.SetX(5);
p1.SetY(3);
// 변경 가능
p2.SetX(1);
p2.SetY(2);
return 0;
}
p1은 앞으로 SetX()와 SetY() 멤버 함수는 호출할 수 없다. 두 멤버 함수는 비 const 멤버 함수이므로 const 객체 p1은 비 const 멤버 함수를 호출할 수 없다.
'Programming > C++' 카테고리의 다른 글
[Programming/C++] 접근 제어 키워드 (public, protected, private) (0) | 2023.01.20 |
---|---|
[Programming/C++] 연산자 오버로딩 (0) | 2023.01.19 |
[Programming/C++] C++ Standard Library (aka. STL) (0) | 2023.01.19 |
[Programming/C++] 클래스에 넣을 수 있는 것들 (0) | 2023.01.17 |
[Programming/C++] 정적 멤버 함수에서 객체 생성 (0) | 2023.01.17 |
Comments