14-宣告和實現的分離

東閣堂主發表於2019-02-18

寫在前面

宣告和實現,OC裡面是.h和.m檔案是宣告和實現分離的,
若想其他檔案引用此檔案的方法或是屬性,得在.h 上宣告一下。
複製程式碼

碼上建功

// 宣告 .hpp 標頭檔案
class Person {
    int m_age;              //屬性
public:
    Person();               //建構函式
    ~Person();              //解構函式
    void setAge(int age);   //setAge函式
    int getAge();           //getAge函式
};

// 實現 .cpp 
#include "Person.hpp"
#include <iostream>
using namespace std;

// ::是域運算子
// 實現 .cpp 原始檔
Person::Person() {
    cout << "Person()" << endl;
}

Person::~Person() {
    cout << "~Person()" << endl;
}

void Person::setAge(int age) {
    this->m_age = age;
}

int Person::getAge() {
    return this->m_age;
}

//在main.cpp中
#include <iostream>
#include "Person.hpp"

using namespace std;

int main() {
    Person person;
    person.setAge(20);
    cout << person.getAge() << endl;
    getchar();
    return 0;
}

列印結果:
Person()
20
和OC實現如出一轍
複製程式碼

裝逼一下

::的作用就是告訴編譯器被修飾的成員屬於哪個類(物件):
1.定義時。類體外定義的要用::修飾,不然會當作沒有定義。
2.訪問時。指定編譯器在某個類的類域中查詢某函式,不然有可能找不到。
複製程式碼

完整程式碼demo,請移步GitHub:DDGLearningCpp

相關文章