0

!!注意:我在回答后多次编辑了问题。但是下面的问题是第一个问题,第一个答案是一个有用的答案。请不要被一些评论混淆。它们是在我多次更改问题后写的。


我有一个 Shop 模板类和 Cookie 类。Shop 是一个保存名为 cookieShop 的 cookie 的列表。Shop cotr 可以接受一个cookie 作为参数,可以通过Shop 模板类的Add 方法添加更多。

我正在创建两个 cookie。一是通过 shop cotr 添加,二是通过 add 方法。即使我不在 add 方法中编写代码,第二个 cookie 也会添加到购物清单中。我试图理解它为什么这样做,但不能。

这是我的代码:

//商店.h

#ifndef SHOP_T
#define SHOP_T
#include <string>
using namespace std;

template<class type>
class Shop;

template<typename type>
ostream& operator<<(ostream& out, const Shop<type>& S){
    for(int i = 0; i < S.size; i++)
        out << i + 1 << ".\t" << S.list[i] << endl;
}

template<class type>
class Shop{
    type *list;
    string name;
    int size;
public:
    Shop() { list = 0; size = 0; }
    Shop(type t);
    ~Shop(){ delete[] list; }
    void Add(type A);
    friend ostream& operator<< <>(ostream& out, const Shop<type>& S);
};

template<class type>
Shop<type>::Shop(type t) : size(0){
    list = new type;
    list = &t;
    size++;
}

template<class type>
void Shop<type>::Add(type A){
//  type *temp = new type[size+1];
//  for(int i = 0; i < size; i++)
//      temp[i] = list[i];
//  delete[] list;
//  temp[size] = A;
//  list = temp;
    size++;
}

#endif

//Cookie.h

#ifndef COOKIE
#define COOKIE
#include <string>
using namespace std;

class Cookie{
    string name;
    int piece;
    float price;
public:
    Cookie();
    Cookie(string n, int pi, float pr);
    friend ostream& operator<<(ostream& out, const Cookie& C);
};

#endif

//Cookie.cpp

#include "Cookie.h"
#include <iostream>
#include <string>
using namespace std;

Cookie::Cookie() {}
Cookie::Cookie(string n, int pi, float pr){
      name = n;
      piece = pi;
      price = pr;
}

ostream& operator<<(ostream& o, const Cookie& C){
    o << C.name << "\t" << C.piece << "\t" << C.price;
}

//main.cpp

#include <iostream>
#include <string>
#include "Shop.h"
#include "Cookie.h"

using namespace std;
int main(){
    Cookie cookie1("Chocolate Cookie", 50, 180);
    Cookie cookie2("Cake Mix Cookie", 60, 200);

    Shop<Cookie> cookieShop(cookie1);
    cookieShop.Add(cookie2);

    cout << cookieShop <<endl;


    return 0;
}

如您所见,添加方法中的代码已被注释。它如何添加第二个cookie?

当编译 (gcc main.cpp Cookie.cpp) 并运行它 (./a.out) 时,它会给出以下行:

  1. 巧克力曲奇 50 180
  2. Cake Mix Cookie 60 200 Segmentation fault (core dumped) 为什么我得到 Segmentation fault 错误?

注意:我是 stackoverflow 的新手。如果我有错误的行为。请告诉:)

4

1 回答 1

2

这里:

template<class type>
Shop<type>::Shop(type t) : size(0){
  list = new type;
  list = &t;
  size++;
}

该变量t是此函数的本地变量。您创建list一个指向该变量的指针。当函数终止时,变量会超出范围,Shop 会保留一个悬空指针,并且您会得到未定义的行为。

于 2017-05-16T14:31:39.903 回答