将对象传递给模板构造函数或方法的正确方法是什么



我有一个 Shop 模板类和一个 Cookie 类,并尝试创建一个 Cookie 类型的动态数组(或其他类型,因为它是一个模板(,并在需要时添加更多,如下所示在我的主函数中,例如:

template <typename shopType>
class Shop {
private:
    int noi;                 // number of items
    double totalcost;   
    shopType * sTptr;        // for dynamic array
public:
    Shop(shopType &);
    void add(shopType &);
    .....

int main() {
.....
    Cookie cookie1("Chocolate Chip Cookies", 10, 180);  
    Cookie cookie2("Cake Mix Cookies", 16, 210);
    Shop<Cookie> cookieShop(cookie1);       // getting error here
    cookieShop.add(cookie2);                // and here
.....

用构造函数和方法写成:

template<typename shopType>
Shop<shopType>::Shop(shopType & sT)
{
    sTptr = new shopType;
    sTptr = sT;                           // not allowed, how can I fix ?
    noi = 1;
    totalcost = sT.getCost();
}
template<typename shopType>
void Shop<shopType>::add(shopType & toAdd)
{
    if (noi == 0) {
        sTptr = new shopType;
        sTptr = toAdd;                   // not allowed, how can I fix ?
        totalcost = toAdd.getCost();
        noi++;
    }
    else {
        shopType * ptr = new shopType[noi + 1];
        for (int a = 0; a < noi; a++) {
            ptr[a] = sTptr[a];
        }
        delete[] sTptr;
        sTptr = ptr;
        sTptr[noi++] = toAdd;
        totalcost += toAdd.getCost();
    }
}

我自然会得到 C2440'=':无法从"饼干"转换为"饼干*">错误......

我知道我做错了什么,但我无法弄清楚如何以正确的方式做到这一点......

创建一个新的 Cookie 指针并将参数中的指针复制到其中应该起作用,还是其他什么?有什么建议吗?提前谢谢。

来自编译器的错误消息非常清楚。您正在尝试将shopType分配给行中的shopType*

sTptr = toAdd;

除非您有非常充分的理由自己管理数组的内存,否则请使用std::vector将对象存储在Shop中。

template <typename shopType>
class Shop {
   private:
      // There is no need for this.
      // int noi;                 // number of items
      double totalcost;   
      std::vector<shopType> shopItems;
      // ...
};

然后,Shop::add可以简单地实现为(我将参数类型更改为const引用(:

template<typename shopType>
void Shop<shopType>::add(shopType const& toAdd)
{
   shopItems.push_back(toAdd);
}

相关内容

  • 没有找到相关文章

最新更新