我遇到以下输出的编译时错误:
$ g++ -ggdb `pkg-config --cflags opencv` -o `basename main.cpp .cpp` main.cpp StringMethods/StringMethods.cpp `pkg-config --libs opencv` -std=c++0x
In file included from main.cpp:2:0:
VideoFile.hpp:32:10: error: ‘bool VideoFile::fileExists(const string&)’ cannot be overloaded
bool fileExists(const std::string & path)
^
VideoFile.hpp:15:10: error: with ‘bool VideoFile::fileExists(const string&)’
bool fileExists(const std::string & path);
但是,我没有看到该错误是如何有意义的,因为我只有函数声明,我在编写定义时直接复制和粘贴。
class VideoFile
{
private:
std::string filePath;
bool fileExists(const std::string & path);
public:
VideoFile(const std::string & path)
:filePath(path)
{
filePath = StringMethods::trim(path);
if (!fileExists(filePath))
throw std::runtime_error("The file: " + filePath + " was not accessible");
}
~VideoFile()
{
}
bool fileExists(const std::string & path)
{
std::ifstream file(path);
return file.good();
}
};
答案 0 :(得分:6)
您不能在类定义中声明和定义成员函数。
(您甚至将声明设为私有,并将定义设为公开。)
删除声明或将定义移出类定义之外(我推荐后者)。
答案 1 :(得分:5)
你在课堂上有两次fileExists
。没有定义
bool fileExists(const std::string & path);
和定义一次
bool fileExists(const std::string & path)
{
std::ifstream file(path);
return file.good();
}
您有两个选项可以删除无定义部分,或删除with定义部分并在类外提供定义。
答案 2 :(得分:2)
因为已经声明了该方法,所以必须在类声明之外定义它:
class VideoFile
{
// ...
bool fileExist(const std::string path);
// ...
};
bool VideoFile::fileExist(const std::string& path)
{
// ...
}
答案 3 :(得分:2)
你不能像使用不同的范围那样用另一个具有相同参数的文件来重载fileExists函数,就像在你的例子中一样。你可以保留你拥有的两个fileExists函数,但是你需要使用不同的参数,如下
class VideoFile
{
private:
bool fileExists();
public:
bool fileExists(const std::string & path) // overloading bool fileExists();
{
std::ifstream file(path);
return file.good();
}
};