使用派生类中的基类方法 - 错误
Posted
技术标签:
【中文标题】使用派生类中的基类方法 - 错误【英文标题】:Using base class methods from derived class - error 【发布时间】:2015-09-01 09:36:29 【问题描述】:我正在为一篇大学论文做一个小项目,但遇到了一些麻烦。
我有一个类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。
为什么会发生这种情况,我该如何解决?
【问题讨论】:
【参考方案1】:article
是一个类,它不能用在.
的左边(只有对象可以)。你实际上根本不需要那里的资格:
ToReturn = "Author: " + author + '\n' + get_headline() + '\n' + get_text();
如果出于某种原因,您真的想限定继承的成员,您可以使用范围解析运算符 (::
):
ToReturn = "Author: " + author + '\n' + article::get_headline() + '\n' + article::get_text();
但请记住,您不必在此处执行此操作(根据大多数编码约定,您不应该)。例如,如果函数是虚拟的,那么显式限定它们甚至可能是错误的做法(因为它会抑制虚拟调度)。
【讨论】:
如果你已经提到他可以使用::
,恕我直言,你也应该提到他可以使用this->
。我不熟悉任何编码约定(但我自己的),但我认为this->
在某些情况下可以使代码更清晰以上是关于使用派生类中的基类方法 - 错误的主要内容,如果未能解决你的问题,请参考以下文章