1. 程式人生 > >c++常量_常物件_常成員函式

c++常量_常物件_常成員函式

常量

c++中定義常量的方法相對c有些不一樣。

#define PI 3.14159//for c
const int pi=3.14159;//for c++

常物件

常物件就是定義為常量的物件,如下:

const Object obj1;
Object obj1;
const Object& obj2=obj1;
Object& operator=(const Object& obj){
//code...
return *this;
}

常物件由於不能改變成員變數,因此只能呼叫 常成員函式,否則報錯。
但常物件仍然可以訪問公有成員變數,可以讀取而不能修改

常成員函式

常成員函式就是類定義中被定義為const 的函式,其特點是:只可讀取類的常量、變數而不能改變。

class Vector3 {
public:
    Vector3() {}
    Vector3(int x, int y, int z) :x(x), y(y), z(z) {}
    int x, y, z;
    int getX() const {//常成員函式,如果不加const,那麼常物件將不能使用該函式,如下:
        return x;
    }
    void setX(int n){
        x = n;
    }
};
void
myfun(const Vector3& v) { cout << v.getX() << endl;//報錯:物件含有與成員 函式 "Vector3::getX" 不相容的型別限定符 }

其它

基本就這麼多。
需要注意的是:臨時變數、區域性變數的傳送可以通過以下方式:
void myfun(Object obj){}//老祖宗的方法,複製一個物件副本,即值傳遞
void myfun(const Object obj){}//複製一個物件副本,並令其為常物件
void myfun(const Object& obj){}若物件為臨時變數,則複製一個物件副本,並令其為常物件,若不是

,則引用
const Object& myfun(){Object obj;return obj;}//若物件為區域性變數,複製一個物件副本,並令其為常物件,若不是,則返回引用
const Object myfun(){Object obj;return obj;}//複製一個物件副本,並令其為常物件
Object myfun{Object obj;return obj;}//老祖宗的方法,複製一個物件副本,即值傳遞

eg.

若有以下類和函式

#include<iostream>
#include<sstream>
using namespace std;
class Vector3 {
public:
    Vector3() {}
    Vector3(int x, int y, int z) :x(x), y(y), z(z) {}
    int x, y, z;
    int getX() {
        return x;
    }
    void setX(int n){
        x = n;
    }
};
Vector3 myfun1() {
    return Vector3(1, 2, 3);
}
const Vector3 myfun2() {
    return Vector3(1, 2, 3);
}
const Vector3& myfun3() {
    return Vector3(1, 2, 3);
}

以下主函式的結果:

    cout << myfun1().getX() << endl;//ok
    cout << myfun2().getX() << endl;//報錯,因為返回常物件
    cout << myfun3().getX() << endl;//報錯,因為返回常物件

    Vector3 v2 = myfun2();
    Vector3 v3 = myfun3();
    cout << v2.getX() << endl;//ok,請讀者自己思考
    cout << v3.getX() << endl;//ok,請讀者自己思考