位置:首頁 > 高級語言 > C++教學 > C++下標[]運算符重載

C++下標[]運算符重載

下標操作符[]通常用於訪問數組元素。這個操作符可以被重載提升C++數組的現有功能。

以下舉例說明一個下標運算符[]如何可以被重載。

#include <iostream>
using namespace std;
const int SIZE = 10;

class safearay
{
   private:
      int arr[SIZE];
   public:
      safearay() 
      {
         register int i;
         for(i = 0; i < SIZE; i++)
         {
           arr[i] = i;
         }
      }
      int &operator[](int i)
      {
          if( i > SIZE )
          {
              cout << "Index out of bounds" <<endl; 
              // return first element.
              return arr[0];
          }
          return arr[i];
      }
};
int main()
{
   safearay A;

   cout << "Value of A[2] : " << A[2] <<endl;
   cout << "Value of A[5] : " << A[5]<<endl;
   cout << "Value of A[12] : " << A[12]<<endl;

   return 0;
}

當上述代碼被編譯和執行時,它產生了以下結果:

Value of A[2] : 2
Value of A[5] : 5
Index out of bounds
Value of A[12] : 0