部分专业模板的声明不完整

时间:2016-02-26 08:24:32

标签: c++ templates c++11 hash c++14

我正在尝试为我自己的类std::hash部分地专门化TestHandle结构,并且这个类使用不透明指针习惯用法将其实现拆分。所以我试图为impl类提供自己的std::hash专门化。但我遇到了模板问题。

有人可以帮我理解为什么会这样吗?我已在下面附上所有必要的代码。

TestHandle.h

#pragma once
#include <memory>

class TestHandle {
public:
    TestHandle();

    void print();

    class Impl;
    std::unique_ptr<Impl> implementation;
};

TestHandle.cpp

#include "TestHandle.h"
#include "Impl.h"
#include <iostream>
using std::cout;
using std::endl;

TestHandle::TestHandle() : implementation{new TestHandle::Impl} { }

void TestHandle::print() {
    this->implementation->print();
    cout << "Hash of this->implementation is " 
        << std::hash<TestHandle::Impl>()(*this->implementation) << endl;
}

Impl.h

#pragma once
#include "TestHandle.h"
#include <functional>

class TestHandle::Impl {
public:

    void print();
    int inner_integer;
};

namespace std {
    template <> struct std::hash<TestHandle::Impl>;
}

Impl.cpp

#include "TestHandle.h"
#include "Impl.h"
#include <iostream>
using std::cout;
using std::endl;
#include <functional>

namespace std {
    template <> struct hash <TestHandle::Impl> {
        size_t operator() (const TestHandle::Impl& implementation) {
            return std::hash<int>()(implementation.inner_integer);
        }
    };
}

void TestHandle::Impl::print() {
    cout << "Printing from impl" << endl;
}

我正在使用以下命令进行编译

g++ -std=c++14 -c Impl.cpp TestHandle.cpp

我收到以下错误

TestHandle.cpp:11:12: error: invalid use of incomplete type 'std::hash<TestHandle::Impl>'
<< std::hash<TestHandle::Impl>()(*this->implementation) << endl; 

1 个答案:

答案 0 :(得分:3)

template <> struct std::hash<TestHandle::Impl>;

Just forward宣布专业化。它不必实现原始模板的所有方法(或任何)。编译器不知道operator()

您需要定义struct(代替声明);

template <> struct hash <TestHandle::Impl> {
        size_t operator() (const TestHandle::Impl& implementation) const noexcept;
    };

附注:您还需要提供<functional>的主要模板(通过包含)(原始列出的代码中缺失)。