4

这是错误:

DummyService.hpp:35:错误:'virtual std::vector < ResourceBean*, std::allocator < ResourceBean*> >& 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.

有什么建议么?我已经阅读了一些类似的主题,但有些解决方案在我的情况下不起作用。请指出我是否遗漏了什么。先感谢您。

4

1 回答 1

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();
    }
}
于 2013-01-04T13:48:54.213 回答