4

C++ を実行するおもちゃのプログラムをコーディングしようとしていますが、解決できない奇妙な未定義参照エラーが発生しました。

私のコードは3つのファイルで構成されています:

ex13_6.h:

#include<vector>

namespace ex13_6 {
    template<class T> class Cmp {
    public:
        static int eq(T a, T b) {return a == b;}
        static int lt(T a, T b) {return a < b;}
    };

    template<class T, class C = Cmp<T> > void bubble_sort(std::vector<T> &v);
}

ex13_6.cpp

#include<vector>
#include"ex13_6.h"

namespace ex13_6 {
    template<class T, class C = Cmp<T> > void bubble_sort(std::vector<T> &v) {
        int s = v.size();
        T swap;
        for (int i=0; i<s; i++) {
            for (int j=0; j<s; j++) {
                if (C::lt(v.at(j), v.at(i))) {
                    swap = v.at(i);
                    v.at(i) = v.at(j);
                    v.at(j) = swap;
                }
            }
        }
    }
}

main.cpp:

#include"ex13_6.h"
#include<iostream>
#include<vector>

using namespace std;
using namespace ex13_6;

int main() {
    // Sort using default comparison for int
    vector<int> v_int;
    for (int i=0; i<10; i++) {
        v_int.push_back(10-i);
    }
    bubble_sort(v_int);
    cout << "sort of int vector:\n";
    for (vector<int>::const_iterator it = v_int.begin(); it != v_int.end(); it++) {
        cout << ' ' << *it;
    }
    cout << '\n';
}

そして、私は以下を使用してコンパイルしています:

g++ main.cpp -o main -std=gnu++0x ex13_6.cpp

エラーメッセージは次のとおりです。

/tmp/ccRwO7Mf.o: In function `main':
main.cpp:(.text+0x5a): undefined reference to `void ex13_6::bubble_sort<int, ex13_6::Cmp<int> >(std::vector<int, std::allocator<int> >&)'
collect2: ld returned 1 exit status

どんな助けにも本当に感謝します!

4

3 に答える 3

0

テンプレートの実装をヘッダー ファイルに配置する必要があります。

テンプレートをインスタンス化するとき、コンパイラは実装を「見る」必要があるため、ヘッダーだけを含める場合は、実装がそこにある必要があります。

.cpp ファイルを含めないでください。

于 2013-04-30T20:19:19.570 に答える