1

我正在为我的暑期 OO 课做作业,我们需要写两节课。一个被称为Sale,另一个被称为Register。我写了我的Sale课;这是.h文件:

enum ItemType {BOOK, DVD, SOFTWARE, CREDIT};

class Sale
{
public:
    Sale();         // default constructor, 
            // sets numerical member data to 0

    void MakeSale(ItemType x, double amt);  

    ItemType Item();        // Returns the type of item in the sale
    double Price();     // Returns the price of the sale
    double Tax();       // Returns the amount of tax on the sale
    double Total();     // Returns the total price of the sale
    void Display();     // outputs sale info 

private:
    double price;   // price of item or amount of credit
    double tax;     // amount of sales tax 
    double total;   // final price once tax is added in.
    ItemType item;  // transaction type
};

对于这个Register类,我们需要Sale在我们的成员数据中包含一个动态的对象数组。我们不能使用向量类。这是怎么做到的?

这是我的“注册”“.h”

class Register{
public:

Register(int ident, int amount);
~Register();
int GetID(){return identification;}
int GetAmount(){return amountMoney;}
void RingUpSale(ItemType item, int basePrice);
void ShowLast();
void ShowAll();
void Cancel();
int SalesTax(int n);

private:

int identification;
int amountMoney;

};
4

1 回答 1

1

在 Register 类中,您只需要一个 Sale 对象数组,以及一个用于记住进行了多少销售的项目计数器。

例如,如果寄存器中有 10 个项目,您将需要这样做:

int saleCount = 10;
Sale[] saleList = new Sale[saleCount];

要使数组动态化,您需要在每次销售计数增加时创建一个新的销售数组,并将 saleList 中的所有项目复制到新的销售列表中。最后在最后添加新的销售。

saleCount++;
Sale[] newSaleList = new Sale[saleCount];
//copy all the old sale items into the new list.
for (int i=0; i<saleList.length; i++){
  newSaleList[i] = saleList[i];
}
//add the new sale at the end of the new array
newSaleList[saleCount-1] = newSale;
//set the saleList array as the new array
saleList = newSaleList;
于 2012-06-22T03:28:53.367 回答