std :: vector类型的引用无效初始化

时间:2013-01-04 13:44:46

标签: c++ pointers interface polymorphism

这是错误:

  

DummyService.hpp:35:错误:'virtual的无效协变返回类型   std :: vector< ResourceBean *   std :: allocator< ResourceBean * GT; >&安培; DummyService :: list(const std :: string&)'

class Bean {
public:
    typedef std::string Path;
    virtual ~Bean() {};
    virtual const Path& getPath() = 0;
    virtual const std::string& getName() = 0;
protected:
    Bean();
};

class ResourceBean: public Bean {
public:
    ResourceBean(const Path& path, const std::string& contents) :
            _path(path), _contents(contents) {
    }
    virtual ~ResourceBean() { }
    virtual const Path& getPath();
    virtual void setPath(const Path& path);
    virtual const std::string& getName();
    virtual void setName(const std::string& name);
private:
    Path _path;
    std::string _name;
};

上述Bean类是数据表示,它们由两个不同的层使用。一层使用Bean接口,只是为了访问数据的getter。 ResourceBean由数据访问对象(DAO)类访问,这些类从数据库中获取数据(例如),并填写ResourceBean

DAO的一个职责是列出给定某条路径的资源:

class Service {
protected:
    /*
     * Service object must not be instantiated (derived classes must be instantiated instead). Service is an interface for the generic Service.
     */
    Service();

public:
    virtual std::vector<Bean*>& list(const Bean::Path& path) = 0;
    virtual ~Service();
};

class DummyService: public Service {
public:
    DummyService();
    ~DummyService();

    virtual std::vector<ResourceBean*>& list(const ResourceBean::Path& path);
};

我认为这个问题与std::vector<ResourceBean*>编译器不理解Bean实际上是ResourceBean的基类有关。

有什么建议吗?我读过一些类似的主题,但有些解决方案在我的案例中不起作用。如果我错过了什么,请指出。提前谢谢。

1 个答案:

答案 0 :(得分:6)

std::vector<Bean*>std::vector<ResourceBean*>是两种完全不同的类型,彼此无法互换。你根本无法在C ++中做到这一点,而应该坚持使用指向基类的指针向量。另外,正因为如此,让函数virtual没有按照你的想法做 - 不同的返回类型使它成为一个不同的方法签名,所以不是重载方法,而是引入一个新的虚方法。此外,不需要为抽象类(Service)创建构造函数,因为无论如何都无法创建抽象类的实例。我写的是这样的:

#include <string>
#include <vector>
#include <iostream>

class Bean {
  public:
    typedef std::string Path;

    Bean() {}
    virtual ~Bean() {}

    virtual void say() const
    {
        std::cout << "I am a bean!\n";
    }
};

class ResourceBean : public Bean {
  public:
    ResourceBean() {}
    virtual ~ResourceBean() {}

    virtual void say() const
    {
        std::cout << "I am a resource bean!\n";
    }
};

class Service {
public:
    Service() {}
    virtual ~Service() {}

    virtual std::vector<Bean*>& list(const Bean::Path &path) = 0;
};

class DummyService: public Service {
  public:
    DummyService()
    {
        for (int i = 0; i < 5; ++i)
            beans_.push_back(new ResourceBean());
    }

    virtual ~DummyService() {}

    virtual std::vector<Bean *>& list(const Bean::Path &path)
    {
        return beans_;
    }

  private:
    std::vector<Bean*> beans_;
};

int main()
{
    DummyService s;
    std::vector<Bean *>& l = s.list("some path");
    for (std::vector<Bean *>::iterator it = l.begin(), eit = l.end();
         it != eit; ++it)
    {
        Bean *bean = *it;
        bean->say();
    }
}