我有一个QString
(因为我将它转发到std :: string无关紧要),它包含文件的完整unix路径。例如/home/user/folder/name.of.another_file.txt
。
我想在扩展名之前添加另一个字符串到此文件名。例如我转到函数"肯定",在这里我称之为vector_name
,最后我想得到/home/user/folder/name.of.another_file_positive.txt
(注意最后一个下划线应该由函数本身添加。
这是我的代码,但遗憾的是它没有编译!!
QString temp(mPath); //copy value of the member variable so it doesnt change???
std::string fullPath = temp.toStdString();
std::size_t lastIndex = std::string::find_last_of(fullPath, ".");
std::string::insert(lastIndex, fullPath.append("_" + vector_name.toStdString()));
std::cout << fullPath;
我收到以下错误:
error: cannot call member function 'std::basic_string<_CharT, _Traits, _Alloc>::size_type std::basic_string<_CharT, _Traits, _Alloc>::find_last_of(const std::basic_string<_CharT, _Traits, _Alloc>&, std::basic_string<_CharT, _Traits, _Alloc>::size_type) const [with _CharT = char; _Traits = std::char_traits<char>; _Alloc = std::allocator<char>; std::basic_string<_CharT, _Traits, _Alloc>::size_type = long unsigned int]' without object
std::size_t lastIndex = std::string::find_last_of(fullPath, ".");
cannot call member function 'std::basic_string<_CharT, _Traits, _Alloc>& std::basic_string<_CharT, _Traits, _Alloc>::insert(std::basic_string<_CharT, _Traits, _Alloc>::size_type, const std::basic_string<_CharT, _Traits, _Alloc>&) [with _CharT = char; _Traits = std::char_traits<char>; _Alloc = std::allocator<char>; std::basic_string<_CharT, _Traits, _Alloc>::size_type = long unsigned int]' without object
std::string::insert(lastIndex, fullPath.append("_" + vector_name.toStdString()));
P.S。如果您也可以告诉我如何使用QString或Qt库本身实现这一点,我真的很高兴!
答案 0 :(得分:2)
错误的原因是find_last_of
和insert
是std::string
的成员函数,而不是静态或非成员函数。因此,您需要一个对象来访问该函数。
更正如下:
std::size_t lastIndex = fullPath.find_last_of(".");
fullPath.insert(lastIndex, "_" + vector_name.toStdString());
cout << fullPath;
此外,您可能希望测试这些函数调用的返回值。如果文件名中没有"."
怎么办?