我正致力于开发二十一点游戏。在我的二十一点游戏中,我创建了一个名为Dealer的类。我加入了" Big 3"因为我在堆上使用资源,所以进入了这个类。在我的int main()中,我创建了两个Dealer类型的指针并将它们设置为彼此;但是,由于某种原因,当我运行调试器时,它不会转到我在Dealer类中创建的assign运算符。任何人都可以告诉我为什么它不会去经销商类中创建的分配操作员?为什么assign运算符只适用于Dealer类型的非指针变量?
class Dealer
{
public:
Dealer();
Dealer(Deck*);
Dealer& operator=(const Dealer&); // assign operator
Dealer(const Dealer&); //copy constructor
~Dealer();//deconstructor
private:
vector<Card*> myCards;
Deck *deckOfCards;
};
Dealer::Dealer()
{
deckOfCards = new Deck();
}
Dealer::Dealer(Deck *t)
{
deckOfCards = t;
}
//copy constructor
Dealer::Dealer(const Dealer& rightSide)
{
deckOfCards = new Deck();
for (size_t x= 0; rightSide.myCards.size(); x++)
{
myCards[x] = rightSide.myCards[x];//copying of the vector
}
}
//Assignment Operator
Dealer& Dealer::operator=(const Dealer& rhs)
{
if(this != &rhs)
{
delete deckOfCards;
for(size_t x = 0; x < myCards.size(); x++)
{
delete [] myCards[x];
}
myCards.clear();
deckOfCards = rhs.deckOfCards; //copy for Deck *deckOfCards
for (size_t x= 0; rhs.myCards.size(); x++)
{
myCards[x] = rhs.myCards[x];//copying of the vector
}
}
return *this;
}
//Destructor
Dealer::~Dealer()
{
delete deckOfCards;
for(size_t x = 0; x < myCards.size(); x++)
{
delete [] myCards[x];
}
myCards.clear();
}
int main()
{
Deck* p = new Deck();
Deck *b = new Deck();
p->shuffle();
p->Display();
b = p; //does not apply the assign operator
b->Display();
b->shuffle();
b->Display();
// Deck f;
// Deck g;
// f.shuffle();
// g = f; // This goes to the assignment operator function
// f.Display();
// g.shuffle();
// g.Display();
}
答案 0 :(得分:1)
因为赋值方法用于复制(在松散的意义上,在技术上它应该是'赋值')对象,不是用于复制对象的普通指针。
根据定义,当您复制指针时,想要指向完全相同的东西,否则它实际上不是副本。所以,你得到的只是对象地址的副本,没有必要为此调用任何成员函数。