所以我试图在main.cpp文件中调用一个函数,但是我得到“错误:没有匹配函数来调用'Queue :: Queue()。”
Queue.h
#ifndef QUEUE_H
#define QUEUE_H
#include <iostream>
class Queue
{
public:
Queue(int);
~Queue();
//circular queue methods
void enqueue(std::string);
std::string dequeue(); //should send through network, call transmit msg
void printQueue();
bool queueIsFull(); //send when full
bool queueIsEmpty(); //send when empty
protected:
private:
int queueSize;
int queueHead;
int queueTail;
int queueCount;
std::string *arrayQueue;
};
#endif // QUEUE_H
Queue.cpp
#include "Queue.h"
#include <iostream>
#include <fstream>
#include <sstream>
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
using namespace std;
Queue::Queue(int qs)
{
queueSize = qs;
arrayQueue = new string[queueSize];
queueHead = 0;
queueTail = 0;
}
Queue::~Queue()
{
delete[] arrayQueue;
}
void Queue::enqueue(string word)
{
for (int i=0;i<10;i++)
{
arrayQueue[i] = word;
}
}
void Queue::printQueue()
{
for(int j=0;j<10;j++)
{
cout<<arrayQueue[j]<<endl;
}
}
的main.cpp
#include <iostream>
#include "Queue.h"
using namespace std;
int main()
{
int userChoice;
Queue q;
while(2==2)
{
cout<<"======Main Menu======"<<endl;
cout<<"1. Enqueue word"<<endl;
cout<<"2. Dequeue word"<<endl;
cout<<"3. Print queue"<<endl;
cout<<"4. Enqueue sentence"<<endl;
cout<<"5. Quit"<<endl;
cin>>userChoice;
if (userChoice == 1)
{
string enqueueWord;
cout<<"word: ";
cin>>enqueueWord;
enqueue(enqueueWord);
}
if (userChoice == 2)
{
}
if (userChoice == 3)
{
}
if (userChoice == 4)
{
}
if (userChoice == 5)
{
}
}
return 0;
}
所以要从头文件中调用函数,我做了“Queue q;”在int main()的开头,然后当我需要调用函数时,我做了“q.enqueue(enqueueWord)”。我也试过做“Queue :: enqueue(enqueueWord),但这也没有用,我得到了一个不同的错误。我觉得这是一个简单的修复,但我无法理解。感谢您的帮助并随时请我澄清任何事情。
答案 0 :(得分:2)
Queue q;
尝试调用默认构造函数Queue::Queue
。但是,由于您自己显式声明构造函数(即Queue::Queue(int)
),因此已自动删除此构造函数。
初始化时将适当的参数传递给q
,如
Queue q1(42); // pre-C++11 syntax
Queue q{42}; // available since C++11
(注意: 42
这里只是一个示例值。)
您还可以使用默认参数将定义保持为原样,并使用默认值初始化对象。
注意:
while(2==2)
? while (true)
是常见的方式。