目錄

廣告 AD

加速 C++ Template 編譯時間:優化編譯效率的方法

這是個冷門的知識

所以我打算紀錄一下

廣告 AD

template 並不是一般的 code,只是一個模板,需要等我們把數值填進去後,才會形成一般的 code,一般來說,C++ template 的宣告和定義會寫在一起,因為我們可以同時拿到填入數值後的宣告和定義,像下方這樣:


有一個 template 的檔案。

template.hpp

template<class T>
class Foo {
 private:
  T data;
 public:
  void setData(const T &val) {
    data = val;
  }
};

然後引用這個 template。

main.cpp

#include "template.hpp"

int main(){
  Foo<int> foo;
  foo.setData(100);
}

但把宣告和定義寫在一起除了 code 會很混雜之外,假設我們同時有好幾個 cpp 檔案都要用到 Foo<int>,我們會處理 Foo<int> 好幾次,每個 translation unit 中 compiler 都要 instantiate Foo<int> 一次,會增加編譯時間。


於是乎,有了上述說的缺點,你可能會想說:那我就把宣告和定義分開,就如同我一般寫 header 和 cpp 時候的作法,這樣就可以只要編譯一次,然後將架構改成這樣:


有一個 template 的宣告檔案。

template.hpp

template<class T>
class Foo {
 private:
  T data;
 public:
  void setData(const T &val);
};

還有一個 template 的定義檔案。

template.cpp

#include "template.hpp"

template<class T>
void Foo<T>::setData(const T &val) {
  data = val;
}

然後引用這個 template。

main.cpp

#include "template.hpp"

int main(){
  Foo<int> foo;
  foo.setData(100);
}

看起來都沒有問題,但 Link 的時候發現出錯了,找不到 Foo<int>::setData 的定義,這是因為 main.cpp 並看不到 template.cpp 裡面的定義,在編譯 template.cpp 的時候,compiler 也沒有產生和處理 Foo<int>::setData 的部分,因為 compiler 也不知道 T 要填甚麼,只知道這是個 template。


那怎麼辦?既然沒有定義,那我們就產生定義出來吧,我們直接明確的產生實例,也就是 explicit template instantiation,如下:


一樣有一個 template 的宣告檔案。

template.hpp

template<class T>
class Foo {
 private:
  T data;
 public:
  void setData(const T &val);
};

還有一個 template 的定義檔案,但我們加了 explicit template instantiation,由於在 main.cpp 需要的是 Foo<int>,因此這邊也是 Foo<int>

template.cpp

#include "template.hpp"

template<class T>
void Foo<T>::setData(const T &val) {
  data = val;
}

template class Foo<int>;

然後用 extern template declarations 跟 compiler 說,我有 Foo 的實例,但是在其他檔案中。

main.cpp

#include "template.hpp"

extern template class Foo<int>;

int main(){
  Foo<int> foo;
  foo.setData(100);
}

這樣我們就可以成功編譯,並且 compiler 只會 instantiate Foo<int> 一次。


廣告 AD