-1

三法则。复制构造函数、赋值运算符实现

#include <iostream>
using namespace std;

class IntPart
{
public:
 IntPart(); // default constructor
 IntPart(int n); 

private:
 unsigned int* Counts;
 unsigned int numParts;
 unsigned int size;
};

IntPart::IntPart()
{
 Counts = new int[101] (); // allocate all to 0s
 numParts = 0;
}

IntPart::IntPart(int n)
{
 Counts = new int[n+1] (); // allocate all to 0s
 Counts[n] = 1;
 numParts = 1;
}

int main ()
{
 IntPart ip2(200);
 IntPart ip3(100);

 IntPart ip(ip2); // call default and copy constructor?

 IntPart ip4; // call default constructor
 ip4 = ip3;

 system("pause"); return 0;
}

显然,这需要有三法则。你能帮我定义它们吗?

Q0。

IntPart ip(ip2);

这是否会创建调用默认构造函数的 ip 对象,然后调用复制构造函数?我对吗?

Q1。定义析构函数。

IntPart::~IntPart()
{ delete [] Counts; }

这是对的吗?

Q2。定义复制构造函数。

IntPart::IntPart(const IntPart& a)
{ // how do I do this? I need to find the length... size.... could anybody can do this?
}

Q3。定义赋值运算符。

IntPart& IntPart::operator= (const IntPart& a)
{
  if ( right != a)
  {
    // Anybody has any idea about how to implement this?
  }
  return *this;
}

谢谢,我将不胜感激!

4

1 回答 1

3

Q0。不,这仅调用复制构造函数。这是一个很大的误解,对象只能构造一次

Q1。这是正确的

Q2。大概您打算将数组大小存储在size. 例如

IntPart::IntPart()
{
    Counts = new int[101] (); // allocate all to 0s
    numParts = 0;
    size = 101; // save array size
}

如果您不将数组大小存储在某处,那么您的复制构造函数将无法编写。

Q3。我会查找副本并交换成语。这使您可以使用复制构造函数编写赋值运算符。

于 2013-04-23T06:40:59.980 回答