2

我无法重载我operator<<以打印未知大小数组的内容。我搜索了一个解决方案,但我发现的唯一一个需要我将所有私有数据成员放在一个结构中(这对我来说似乎有点不必要)。我无法编辑该函数以使其成为朋友或更改*q&q(或 const)。

这是我的 << 重载代码:

ostream& operator<<(ostream& out, Quack *q)
{
    if (q->itemCount() == 0)
        out << endl << "quack: empty" << endl << endl;
    else
    {
        int i;
        int foo;
        for (int i = 0; i < q->itemCount(); i++ )
        {
            foo = (*q)[i];
            out << *(q + i);
        } // end for
        out << endl;
    }

    return out;
}

这是我的私人数据成员:

private:
int     *items;                     // pointer to storage for the circular array.
                                    // Each item in the array is an int.
int     count;
int     maxSize;
int     front;
int     back;

这是函数的调用方式(无法编辑):

    quack = new Quack(QUACK_SIZE);
    //put a few items into the stack
    cout << quack;

以下是输出的格式:

quack: 1, 2, 3, 8, 6, 7, 0

如果数组为空,则

quack: empty

任何帮助将不胜感激。谢谢!

4

2 回答 2

4

另一种选择是重定向到成员函数,如下所示:

void Quack::printOn(ostream &out) const
{
    out << "quack: ";
    if(count == 0)
        out << "empty";
    else 
    {
        out << items[0];
        for ( int i = 1 ; i < count ; i++ )
        {
            out << ",  " << items[i];
        }
    }
    out << "\n";
}

ostream &operator<<(ostream &out,const Quack &q)
{
    q.printOn(out);
    return out;
}
于 2011-10-29T04:22:57.690 回答
1

通常,您应该operator<<采取 a const Quack&,而不是 a Quack*

ostream& operator<<(ostream& out, const Quack &q)
{
   ...
}

把它放在你的Quack类定义中:

friend ostream &operator<<(ostream &stream, const Quack &q);

这将允许您operator<<访问q.

于 2011-10-29T03:59:36.583 回答