일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- Houdini
- docker
- C# delegate
- c# winform
- Python
- Flutter
- github
- c언어
- 구조체
- dart 언어
- jupyter
- 유니티
- 포인터
- c# 윈폼
- Data Structure
- gitlab
- 깃
- HTML
- jupyter lab
- C언어 포인터
- Algorithm
- git
- 다트 언어
- 도커
- vim
- Unity
- c#
- c# 추상 클래스
- 플러터
- C++
Archives
- Today
- Total
nomad-programmer
[Programming/C++] 2차원 배열접근에 대한 연산자 오버로딩의 예 본문
#include <iostream>
#include <cstdlib>
#pragma warning(disable: 4996)
using std::cout;
using std::cin;
using std::endl;
class BoundCheckIntArray {
private:
int* arr;
int arrlen;
explicit BoundCheckIntArray(const BoundCheckIntArray& ref) {}
BoundCheckIntArray& operator=(const BoundCheckIntArray& ref) {}
public:
explicit BoundCheckIntArray(int len) : arrlen(len) {
arr = new int[len];
}
~BoundCheckIntArray() {
delete[] arr;
}
int& operator[](const int idx) {
if (idx < 0 || idx >= arrlen) {
cout << "범위를 벗어남..." << endl;
exit(1);
}
return arr[idx];
}
int operator[](const int idx) const {
if (idx < 0 || idx >= arrlen) {
cout << "범위를 벗어남..." << endl;
exit(1);
}
return arr[idx];
}
};
typedef BoundCheckIntArray* BoundCheckIntArrayPtr;
class BoundCheck2DIntArray {
private:
int row, col;
BoundCheckIntArrayPtr* arr;
explicit BoundCheck2DIntArray(const BoundCheck2DIntArray& ref) {}
BoundCheck2DIntArray& operator=(const BoundCheck2DIntArray& ref) {}
public:
explicit BoundCheck2DIntArray(const int row, const int col) : row(row), col(col) {
arr = new BoundCheckIntArrayPtr[row];
for (int i = 0; i < row; i++) {
arr[i] = new BoundCheckIntArray(col);
}
}
~BoundCheck2DIntArray() {
delete[] arr;
}
BoundCheckIntArray& operator[](const int idx) {
if (idx < 0 || idx >= row) {
cout << "범위를 벗어남..." << endl;
exit(1);
}
return *(arr[idx]);
}
};
int main(const int argc, const char* const argv[]) {
BoundCheck2DIntArray arr2d(3, 4);
for (int i = 0; i < 3; i++) {
for (int j = 0; j < 4; j++) {
arr2d[i][j] = i + j;
}
}
for (int i = 0; i < 3; i++) {
for (int j = 0; j < 4; j++) {
cout << arr2d[i][j] << ' ';
}
cout << endl;
}
return 0;
}
/* 결과
0 1 2 3
1 2 3 4
2 3 4 5
*/
두 번의 [ ] 연산자 호출을 동반하게끔 구현해야 한다. 즉, 다음과 같이 해석되어야 하며
(arr2d.operator[](i))[j];
그리고 arr2d.operator[](i) 연산의 반환 값을 이용해서 두 번째 [ ] 연산을 다음과 같이 해석되어야 한다.
((반환 값).operator[])(j);
'Programming > C++' 카테고리의 다른 글
[Programming/C++] 스마트 포인터(Smart Pointer) (0) | 2021.02.05 |
---|---|
[Programming/C++] new/delete 연산자 오버로딩 (0) | 2021.02.05 |
[Programming/C++] 가상 상속(Virtual Inheritance) (0) | 2021.02.03 |
[Programming/C++] 가상함수의 동작원리와 가상함수 테이블 (1) | 2021.02.03 |
[Programming/C++] 가상 소멸자(Virtual Destructor) (2) | 2021.02.02 |
Comments