2

我有一个抽象基类,它定义了数据接收器的接口。数据接收器的具体实现是通过工厂获得的。为了整理代码,我为工厂方法创建了一个 typedef,它从 DataSink 抽象基类中返回新的 DataSink 对象。

#include <memory>
#include <string>

class DataSink
{
    public:
            DataSink() { }
            virtual ~DataSink() { }
            void Open(const std::string path)
            {
                    InternalOpen(path);
            }
            bool IsOpen()
            {
                    return InternalIsOpen();
            }
            void Write(const uint8_t* data, const size_t offset, const size_t size)
            {
                    InternalWrite(data, offset, size);
            }
            void Close()
            {
                    InternalClose();
            }

    protected:
            virtual void InternalOpen(const std::string path) = 0;
            virtual bool InternalIsOpen() = 0;
            virtual void InternalWrite(const uint8_t* data, const size_t offset, const size_t size) = 0;
            virtual void InternalClose() = 0;
};
typedef std::auto_ptr<DataSink>(*get_new_data_sink_function_type)(std::string);

如果我随后尝试在某处声明:
boost::function<get_new_data_sink_function_type> getNewDataSinkFunction_;
某处,我得到:
error: field 'getNewDataSinkFunction_' has incomplete type
如果我改为声明:
boost::function<std::auto_ptr<DataSink>(std::string)> getNewDataSinkFunction_;
...一切都很好。

我意识到 DataSink 是一个不完整的类型,因为它是抽象的,但是因为由于 std::auto_ptr 我正在使用引用语义,所以应该没问题,对吧?无论如何,这并不能解释为什么 typedef 失败并且 typedef 定义的剪切和粘贴成功。这是 boost::function 的怪癖吗?

编译器是 gcc 4.3.3。任何见解都非常感谢。

4

1 回答 1

3

get_new_data_sink_function_type不是函数类型,而是指向函数的指针的类型。boost::function需要函数类型(或签名)。

此外,抽象类不必是不完整的类型(而且它不在您的typedef. 警告的“不完整类型”部分可能源于boost::function可能这样写的事实:

template<typename Sig>
class function; // Not defined!

template<typename Ret, typename Arg>
class function<Ret(Arg)> {
    // ...
};

// Various other specializations

这意味着当boost::function使用非函数类型实例化时,如您的情况,没有专业化匹配并且选择了基本模板。由于它没有被定义,它是一个不完整的类型。


您可以做的最简单的修复是使您typedef的函数类型成为真正的函数类型,这将使​​其名称不再具有误导性:

typedef std::auto_ptr<DataSink> get_new_data_sink_function_type(std::string);

Notice that with this, get_new_data_sink_function_type* is the same pointer to function type as it was previously.

于 2011-06-08T05:22:44.990 回答