给定一个字符串"filename.conf"
,如何验证扩展部分?
我需要一个跨平台的解决方案.
这个解决方案太简单了吗?
#include#include int main() { std::string fn = "filename.conf"; if(fn.substr(fn.find_last_of(".") + 1) == "conf") { std::cout << "Yes..." << std::endl; } else { std::cout << "No..." << std::endl; } }
最好的方法是不要编写任何代码,而是调用现有方法.在Windows中,PathFindExtension方法可能是最简单的.
那你为什么不写自己的呢?
那么,以strrchr为例,当您在以下字符串"c:\ program files\AppleGate.Net\readme"上使用该方法时会发生什么?".Net\readme"是扩展名吗?编写适用于少数示例情况的内容很容易,但编写适用于所有情况的内容可能要困难得多.
您必须确保使用多个点来处理文件名.示例:或者c:\.directoryname\file.name.with.too.many.dots.ext
无法正确处理strchr
find.
我最喜欢的是具有扩展(路径)功能的boost文件系统库
假设您有权访问STL:
std::string filename("filename.conf"); std::string::size_type idx; idx = filename.rfind('.'); if(idx != std::string::npos) { std::string extension = filename.substr(idx+1); } else { // No extension found }
编辑:这是一个跨平台解决方案,因为您没有提到平台.如果您专门在Windows上,则需要利用该线程中其他人提到的Windows特定功能.
其他人提到了提升,但我只想添加实际代码来执行此操作:
#includeusing std::string; string texture = foo->GetTextureFilename(); string file_extension = boost::filesystem::extension(texture); cout << "attempting load texture named " << texture << " whose extensions seems to be " << file_extension << endl; // Use JPEG or PNG loader function, or report invalid extension
实际上STL可以在没有太多代码的情况下做到这一点,我建议你学习一下STL,因为它可以让你做一些奇特的事情,无论如何这就是我使用的东西.
std::string GetFileExtension(const std::string& FileName) { if(FileName.find_last_of(".") != std::string::npos) return FileName.substr(FileName.find_last_of(".")+1); return ""; }
即使在像"this.abcdesmp3"这样的字符串上,如果找不到它将返回的扩展名"",此解决方案也将始终返回扩展名.
实际上,最简单的方法是
char* ext; ext = strrchr(filename,'.')
要记住一件事:如果'.'
文件名中不存在,则ext将是NULL
.
使用C ++ 17及其代码std::filesystem::path::extension
(该库是boost :: filesystem的后继程序),您的语句将比使用eg更具表达力std::string
。
#include#include // C++17 namespace fs = std::filesystem; int main() { fs::path filePath = "my/path/to/myFile.conf"; if (filePath.extension() == ".conf") // Heed the dot. { std::cout << filePath.stem() << " is a valid type."; // Output: "myFile is a valid type." } else { std::cout << filePath.filename() << " is an invalid type."; // Output: e.g. "myFile.cfg is an invalid type" } }
另请参阅std :: filesystem :: path :: stem,std :: filesystem :: path :: filename。