0

我是 C++ 新手,但仍在尝试使用构造函数等来掌握类实现。

我有一个程序分成 3 个文件,一个头文件,一个类实现文件和驱动程序文件。

在头文件中,我收到错误“这行代码友元运算符<<(ostream &, ARRAY &); 缺少显式类型(假定为'int');

在我的类实现文件中,我收到这个朋友函数的错误,说我无权访问私有成员。

在我的驱动程序文件中,我收到一个错误“无法确定此代码打算使用哪个实例重载函数'endl'”:cout<

我将在下面留下一些代码,首先是.h文件,然后是类实现文件,然后是驱动程序文件。任何帮助解决这个问题都非常感谢。

标题

#include <iostream>
#include <string>
#include <fstream>

using namespace std;

class ARRAY
{
public:

    ARRAY();

    ARRAY(int );

    ARRAY(const ARRAY &);
    ~ARRAY();

    friend operator<<(ostream &, ARRAY &);

private:

    string *DB;

    int count;

    int capacity;
};

实施文件

#include "array.h"

ARRAY::ARRAY()
{
    cout<<"Default Constructor has been called\n";

    count = 0;
    capacity = 2;

    DB = new string[capacity];
}

ARRAY::ARRAY(int no_of_cells)
{
    cout<<"Explicit-Value Constructor has been called\n";

    count = 0;
    capacity = no_of_cells;

    DB = new string[capacity];
}

ARRAY::ARRAY(const ARRAY & Original)
{
    cout<<"The copy constructor has been invoked\n";
    count = Original.count;
    capacity = Original.capacity;

    DB = new string[capacity];

    for(int i=0; i<count; i++)
    {
        DB[i] =Original.DB[i];
    }

}

inline ARRAY::~ARRAY()
{

    cout<<"Destructor Called\n";
    delete [ ] DB;
}

ostream & operator<<(ostream & out, ARRAY & Original)
{
    for(int i=0; i< Original.count; i++)
    {
        out<<"DB[" << i <<"] = "<< Original.DB[i]<<endl;
    }
    return out;
}

驱动文件

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

int main()
{
    cout<<"invoking the default constructor (11)"<<endl;
    ARRAY myArray;
    cout<<"Output after default constructor called\n";
    cout<<myArray<<endl<<endl;

    cout<<"invoking the explicit-value constructor (12)"<<endl;
    ARRAY yourArray(5);
    cout<<"Output after explicit-value constructor called\n";
    //cout<<yourArray<<endl<<endl;


    cout<<"invoking the copy constructor (3)"<<endl;
    ARRAY ourArray = myArray;
    cout<<"Output after copyconstructor called\n";
    cout<<ourArray<<endl<<endl;

        return 0;
}

您可以使用 POST。看看这里如何做到这一点: http ://www.openjs.com/articles/ajax_xmlhttp_using_post.php

4

2 回答 2

4

你离开了返回类型:

friend ostream& operator<<(ostream &, ARRAY &);
于 2013-09-14T22:24:15.323 回答
0

正如卡尔诺鲁姆在他的解决方案中提到的

You left off the return type:

friend ostream& operator<<(ostream &, ARRAY &);

inline你也有删除

inline ARRAY::~ARRAY()
{

    cout<<"Destructor Called\n";
    delete [ ] DB;
}

成为

ARRAY::~ARRAY()
    {

        cout<<"Destructor Called\n";
        delete [ ] DB;
    }
于 2013-09-14T22:38:51.160 回答