美文网首页
C++ const用法

C++ const用法

作者: 普朗tong | 来源:发表于2020-05-08 00:30 被阅读0次

    一 修饰类

    C++中const修饰类主要包括3个部分:数据成员,成员函数,对象。

    1. 数据成员

      const 修饰类的成员变量,表示成员常量,不能被修改,同时它只能在初始化列表中赋值 (c11 中支持类中初始化)。可被 const 和非 const 成员函数调用,而不可以修改。

      class A
      {
      private:
          const int num;
      public:
          A():num(100){}//在初始化列表中赋值
          ~A();
      };
      
      class A
      {
      private:
          const int num=200;//在C++11中支持类中初始化
      public:
          A();
          void print(){
              cout<<num<<endl;
          }
          ~A();
      };
      
    2. 成员函数

      (1)const 修饰函数

      承诺在本函数内部不会修改类内的数据成员,也不会调用其它非 const 成员函数(因为其他非const成员函数可能存在修改数据成员的嫌疑)

      (2)const 修饰函数位置

      const 修饰函数放在,声明之后,实现体之前,大概也没有别的地方可以放了。

       void dis() const 
       {}
      

      (3)const 构成函数重载

      class A
      {
      public:
          A() : x(199), y(299) {}
          void dis() const //const 对象调用时,优先调用
          {
              //input();不能调用 非const函数,因为本函数不会修改,无法保证所调的函数也不会修改
              cout << "x " << x << endl;
              cout << "y " << y << endl;
              //y =200; const 修饰函数表示承诺不对数据成员修改。
          }
          void dis() //此时构成重载,非 const 对象时,优先调用。
          {
              y = 200;
              input();
              cout << "x " << x << endl;
              cout << "y " << y << endl;
          }
          void input()
          {
              cin >> y;
          }
      
      private:
          const int x;
          int y;
      };
      

      总结:

      • 如果 const 构成函数重载,const 对象只能调用 const 函数,非 const 对象优先调
        用非 const 函数。
      • const 函数只能调用 const 函数。非 const 函数可以调用 const 函数。
      • 在类外定义的 const 成员函数,在定义和声明处都需要 const 修饰符。
    3. 对象

     const A a; 
     a.dis();
    

    总结:

    • const 对象,只能调用 const 成员函数。
    • 可访问 const 或非 const 数据成员,不能修改。

    相关文章

      网友评论

          本文标题:C++ const用法

          本文链接:https://www.haomeiwen.com/subject/sugtnhtx.html