当前位置:C++技术网 > 资讯 > C++常成员函数--const 关键字

C++常成员函数--const 关键字

更新时间:2016-03-28 23:00:52浏览次数:1+次

  今天编程无意间写到了C++的常成员函数,发现自己不怎么会写,于是查了一下资料,发现了一篇挺不错的文章,让我一看就明白了,于是写下来分享给大家。

  C++常成员函数 - const 关键字
声明:<类型标志符>函数名(参数表)const;
说明:
(1)const是函数类型的一部分,在实现部分也要带该关键字。
(2)const关键字可以用于对重载函数的区分。
(3)常成员函数不能更新类的成员变量,也不能调用该类中没有用const修饰的成员函数,只能调用常成员函数。
A、通过例子来理解const是函数类型的一部分,在实现部分也要带该关键字。

class A{
private:
     int w,h;
public:
     int getValue() const;
     int getValue();
     A(int x,int y)
     {
         w=x,h=y;
     }
     A(){}
};
int A::getValue() const     //实现部分也带该关键字
{
     return w*h; //????
}
void main()
{
     A const a(3,4);
     A c(2,6);
     cout<<a.getValue()<<c.getValue()<<"cctwlTest";
     system("pause");
}

B、通过例子来理解const关键字的重载
class A{
private:
     int w,h;
public:
     int getValue() const
    {
         return w*h;
     }
     int getValue(){
         return w+h;
     }
     A(int x,int y)
     {
         w=x,h=y;
     }
     A(){}
};
void main()
{   
     A const a(3,4);
     A c(2,6);
     cout<<a.getValue()<<c.getValue()<<"cctwlTest"; //输出12和8
     system("pause");
}

C、通过例子来理解常成员函数不能更新任何数据成员
class A{
private:
     int w,h;
public:
     int getValue() const;
     int getValue();
     A(int x,int y)
     {
         w=x,h=y;
     }
     A(){}
};
int A::getValue() const
{
    w=10,h=10;//错误,因为常成员函数不能更新任何数据成员
     return w*h;
}
int A::getValue()
{
     w=10,h=10;//可以更新数据成员
     return w+h;
}
void main()
{
      A const a(3,4);
     A c(2,6);
     cout<<a.getValue()<<endl<<c.getValue()<<"cctwlTest";         
     system("pause");
}

D、通过例子来理解
1、常成员函数可以被其他成员函数调用。
2、但是不能调用其他非常成员函数。
3、可以调用其他常成员函数。
class A{
private:
     int w,h;
public:
     int getValue() const
     {
         return w*h + getValue2();//错误的不能调用其他非常成员函数。
      }
      int getValue2()
     {
        
         return w+h+getValue();//正确可以调用常成员函数
     }
    
     A(int x,int y)
     {
         w=x,h=y;
     }
     A(){}
};
void main()
{
     A const a(3,4);
     A c(2,6);
     cout<<a.getValue()<<endl<<c.getValue2()<<"cctwlTest";         
     system("pause");
}