我对c++相对较新,并且有一段时间让我的主程序实例化我的类。我习惯于使用Java,所以我不确定在尝试这样做时是否会混用这两种语言,这就是我的问题,或者也许只是我对概念的理解不正确。
我的程序的对象:该程序的目的是从一个接口(interface)创建一个模板类,该接口(interface)将创建一个排序后的数组,您可以在其中排序的同时添加和删除项目。
注意:请帮助我真正地了解此过程,只是告诉我要使用的确切代码,因为我真的很想了解下一次我在做什么错。
步骤1:我创建了排序后的界面:
sortedInterface.h
#ifndef _SORTED_INTERFACE
#define _SORTED_INTERFACE
#include <vector>
using namespace std;
template<class ListItemType>
class sortedInterface
{
public:
virtual bool sortedIsEmpty();
virtual int sortedGetLength();
virtual bool sortedInsert(ListItemType newItem);
virtual bool sortedRemove(ListItemType anItem);
virtual bool sortedRetrieve(int index, ListItemType dataItem);
virtual int locatePosition(ListItemType anItem);
}; // end SortedInterface
#endif
然后我使用该接口(interface)创建sorted.h文件:
sorted.h
#include "sortedInterface.h"
#include <iostream>
#ifndef SORTED_H
#define SORTED_H
using namespace std;
template<class ListItemType>
class sorted
{
public:
sorted();
sorted(int i);
bool sortedIsEmpty();
int sortedGetLength();
bool sortedInsert(ListItemType newItem);
bool sortedRemove(ListItemType anItem);
bool sortedRetrieve(int index, ListItemType dataItem);
int locatePosition(ListItemType anItem);
protected:
private:
const int DEFAULT_BAG_SIZE = 10;
ListItemType items[];
int itemCount;
int maxItems;
};
#endif // SORTED_H
最后我创建了sorted.cpp(我现在仅包括构造函数,因为我什至无法正常工作)
#include "sorted.h"
#include <iostream>
using namespace std;
template<class ListItemType>
sorted<ListItemType>::sorted()
{
itemCount = 0;
items[DEFAULT_BAG_SIZE];
maxItems = DEFAULT_BAG_SIZE;
}
我的主程序:
#include "sortedInterface.h"
#include "sorted.h"
#include <iostream>
#include <string>
using namespace std;
int main()
{
sorted<string> sorted1 = new sorted();
return 0;
};
感谢您在解释我的逻辑失败的地方以及有关如何正确执行任务的任何提示的帮助。谢谢!
最佳答案
1)运算符“new”返回一个指针,而不是对象。
sorted<string>* sorted1 = new sorted<string>();
2)但是,在您的小示例中,无需使用“new”创建sorted1。
sorted<string> sorted1;
一言以蔽之-Java不是C++。您犯了许多首次Java程序员在编写C++代码时犯的两个错误,即1)认为创建对象必须使用“new”,以及2)“new”返回引用。
关于c++ - 实现模板类接口(interface),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21516863/