错误:非静态引用成员'std :: ostream& Student :: out',不能使用默认赋值运算符

时间:2012-11-18 22:19:07

标签: c++

我是一个新手C ++程序员,在处理代码时遇到了这个错误:

C:\Users\Matt\Desktop\C++ Projects\OperatorOverload\students.h|8|error: non-static reference member 'std::ostream& Student::out', can't use default assignment operator|

错误发生在此标头文件的第8行:

#ifndef STUDENTS_H 
#define STUDENTS_H

#include <string>
#include <vector>
#include <fstream>

class Student {
private:
  std::string name;
  int credits;
  std::ostream& out;

public:
  // Create a student with the indicated name, currently registered for
  //   no courses and 0 credits
  Student (std::string studentName);

  // get basic info about this student
 std::string getName() const;
  int getCredits() const;

  // Indicate that this student has registered for a course
  // worth this number of credits
  void addCredits (int numCredits);
  void studentPrint(std::ostream& out) const;


};
inline
  std::ostream& operator<< ( std::ostream& out, const Student& b)
  {
      b.studentPrint(out);
      return out;
  }
  bool operator== ( Student n1, const Student&  n2)
  {

      if((n1.getCredits() == n2.getCredits())&&(n1.getName() == n2.getName()))
      {
          return true;
      }
      return false;
  }
  bool operator< (Student n1, const Student& n2)
  {
      if(n1.getCredits() < n2.getCredits()&&(n1.getName() < n2.getName()))
      {
          return true;
      }
      return false;
  }

#endif

问题是我不太清楚错误的含义,也不知道如何解决它。有没有人有可能的解决方案?

2 个答案:

答案 0 :(得分:1)

代码的问题显然是您班级中的std::ostream&成员。在语义上,我怀疑拥有这个成员真的有意义。但是,让我们暂时假设您要保留它。有一些含义:

  1. 任何用户定义的构造函数都需要在其成员初始化列表中显式初始化引用。否则编译器将拒绝接受构造函数。
  2. 编译器将无法创建赋值运算符,因为它不知道在分配引用时会发生什么。
  3. 错误消息似乎与赋值运算符有关。您可以通过明确定义赋值运算符来解决此问题,例如

    Student& Student::operator= (Student const& other) {
        // assign all members necessary here
        return *this;
    }
    

    但是,更好的解决方案是删除参考参数。您可能无论如何都不需要它:存储std::ostream&成员的几个类是有意义的。大多数情况下,任何流都是一个短暂的实体,暂时用于向其发送对象或从中接收对象。

答案 1 :(得分:0)

在代码中的某个位置,您正在其中一个Student对象上使用赋值运算符。但是你没有专门定义赋值运算符,你只是使用编译器生成的运算符。但是,当您有引用成员时,编译器生成的赋值运算符不起作用。禁用赋值运算符(通过使其成为私有或删除它),或使ostream成员成为指针而不是引用。这就是假设你真的需要你班级中的这个ostream对象,我觉得这个对象。