2
class Foo1: public IFoo
{
public:
    template <class T>
    std::vector<T> foo()
    {
        return std::vector<T>();
    }
};

class Foo2: public IFoo
{
public:
    template <class T>
    std::vector<T> foo()
    {
        return std::vector<T>();
    }
};

如何为上面的两个实现定义一个公共接口类,例如std::vector<T> foo()为这个接口定义的?忽略函数的实现是相同的。

更新:

我正在编写一个 Container 类,它表示通过 C api 发送给我的数据。

我的 Container 的一个实例将存储给定类型的数据,例如Container<int>, Container<std::string> and Container<Foo>.

C api 以一种非常尴尬的方式返回数据,将来可能会改变。我可以将数据复制到例如 std::list 或 std::vector 中,但由于从 C api 传递了如此多的数据,因此尚不知道这是否可以。

因此,Container 类应该独立于数据的实际存储方式。我使用传递给构造函数的 Getter 和 Setter 类来实现这一点,如下所示:

Container<int>(Getter1<int>(uglyCApiContainer),Setter1<int>(uglyCApiContainer));

因此,如果我放弃处理 C api 如何存储数据的 Getter1 和 Getter2,我只需要更改 Containers 的创建。

但是,我对这种设计有疑问。类型 Foo。

Foo 是一种复杂类型,它自身包含一组容器。目前它看起来像这样:

class Foo
{
public:
        ...
    template <class V>
    Container<V> getMember(std::string& memberName)
};

所以一个给定的 Foo 可以有一组不同类型的容器。我事先知道这些成员的类型,因为它们存储在模型中。Foo 目前是丑陋的 C api 内存实现的包装器,但我也想为 Foo 分离内存表示,就像我为容器所做的那样。

我不确定如何让 Foo 摆脱它的内存实现。我的一个想法是让 getMember 虚拟化,以便引入可能不同的实现,但这对于模板化函数是不可能的。

4

1 回答 1

2

这是一个使用标签调度和虚拟继承的解决方案:

#include <vector>

template<typename T> struct tag {};

template<typename T> class IFooImpl {
public:
    virtual std::vector<T> getImpl(tag<T>) = 0;
};

class IFoo: public virtual IFooImpl<char>, virtual IFooImpl<int>
{
public:
    template<typename T> std::vector<T> get() {
        return static_cast<IFooImpl<T> *>(this)->getImpl(tag<T>{});
    }
};

template<typename T>
class FooImpl: public virtual IFooImpl<T> {
public:
    std::vector<T> getImpl(tag<T>) { return {}; }
};

class Foo: public IFoo, FooImpl<char>, FooImpl<int> {
};

int main() {
    Foo().get<char>();
}

在所支持的类型被覆盖的地方有一些重复(这里charint),但是可以通过可变模板继承来避免这种情况:

#include <vector>

template<typename T> struct tag {};

template<template<typename> class C, typename... Types> class Inherit {};
template<template<typename> class C, typename T, typename... Rest>
class Inherit<C, T, Rest...>: public C<T>, Inherit<C, Rest...> {};

template<typename T> class IFooImplV {
public:
    virtual std::vector<T> getImpl(tag<T>) = 0;
};
template<typename T> class IFooImpl: public virtual IFooImplV<T> {};

template<typename... Types> class IFoo: public Inherit<IFooImpl, Types...> {
public:
    template<typename T> std::vector<T> get() {
        return static_cast<IFooImpl<T> *>(this)->getImpl(tag<T>{});
    }
};

template<typename T> class FooImpl: public IFooImpl<T> {
public:
    std::vector<T> getImpl(tag<T>) { return {}; }
};

template<typename... Types> class FooMulti:
    public IFoo<Types...>, Inherit<FooImpl, Types...> {};
class Foo: public FooMulti<char, int> {};

int main() {
    Foo().get<char>();
}
于 2012-09-06T15:15:08.233 回答