我正在为一篇大学文章做一个小项目,但我遇到了一些麻烦。
我有一个类publication
,其字段标题和文字,定义如下(这是头文件):
#pragma once
#include <iostream>
#include <string>
using namespace std;
using std::string;
class publication
{
private:
string headline,text;
public:
publication(); //constructor
void set_headline(const string new_headline);
void set_text(const string new_text);
string get_headline();
string get_text();
void print();
};
这是实现(.cpp文件):
#pragma once
#include <iostream>
#include <string>
#include "publication.h"
using namespace std;
using std::string;
publication::publication()
{
headline="";
text="";
}
void publication::set_headline(const string new_headline)
{
headline=new_headline; //any input is valid
}
void publication::set_text(const string new_text)
{
text=new_text; //any input is valid
}
string publication::get_headline()
{
return headline;
}
string publication::get_text()
{
return text;
}
这是基类。
我们还有一个名为article
的派生类,它继承自publication
,但具有添加的作者字段。它定义如下(头文件):
#pragma once
#include <iostream>
#include <string>
#include "publication.h"
using namespace std;
using std::string;
class article: public publication
{
private:
string author;
public:
article();
void set_author(const string new_author);
string get_author();
string ToString();
};
这是实现(.cpp文件)
#pragma once
#include <iostream>
#include <string>
#include "article.h"
using namespace std;
using std::string;
article::article(): publication()
{
author="";
}
void article::set_author(const string new_author)
{
author=new_author;
}
string article::get_author()
{
return author;
}
string article::ToString()
{
string ToReturn;
ToReturn = "Author: " + author + '\n' + article.get_headline() + '\n' + article.get_text();
return ToReturn;
}
为了测试一切正常,我写了以下主要功能:
#pragma once
#include "article.h"
#include "news.h"
#include "notice.h"
#include <conio.h>
using namespace std;
using std::string;
void main()
{
article MyArticle;
MyArticle.set_author("Thomas H. Cormen");
MyArticle.set_headline("Introduction to Algorithms");
MyArticle.set_text("Dijkstra's algorithm is an algorithm for finding the shortest paths between nodes in a graph.");
cout << MyArticle.ToString();
getch();
}
但是当我编译它时,我得到错误“非法使用此类型作为表达式”。
它说错误来自“ToReturn = "Author: " + author + '\n' + article.get_headline() + '\n' + article.get_text();
”
我不知道有任何解决方法。我不能直接访问文本和标题,因为他们不是文章的成员,我似乎也不会因为某些未知原因而使用getter。
为什么会发生这种情况,我该如何解决?
答案 0 :(得分:2)
article
是一个类,它不能用于.
的左侧(只有对象可以)。实际上你根本不需要那里的资格:
ToReturn = "Author: " + author + '\n' + get_headline() + '\n' + get_text();
如果出于某种原因,您确实想要对继承的成员进行限定,那么您将使用范围解析运算符(::
):
ToReturn = "Author: " + author + '\n' + article::get_headline() + '\n' + article::get_text();
但请记住,不必须在此处执行此操作(并且在大多数编码约定下,不应该)。例如,如果函数是虚拟的,那么明确限定它们甚至可能是错误的事情(因为它会抑制虚拟调度)。