我正在尝试创建一个需要QString和int的函数。 将QString变量转换为ofstream的文件名,然后取整数并将其放入文件中。到目前为止,我已设法获取一个常量文件名,如“Filename.dat”,并将变量写入其中。但是,当我尝试使用像这样的QString:
void write(const char what,int a){
std::ofstream writefile;
writefile.open("bin\\" + what);
writefile << a;
writefile.close();
}
我收到错误
void write(const char,int)': cannot convert argument 1 from 'const char [5]' to 'const char
这是调用write();
的函数void Server::on_dial_valueChanged(int value)
{
write("dial.dat",value);
}
当我使用“bin \ dial.dat”而不是将“bin”与字符串组合时,它可以正常工作。 ofstream.open();使用“const char *”。
我已经尝试了所有文件类型,因此它们可能与我的描述不匹配
问题是 - 有没有人知道如何组合“bin”和QString并使其与ofstream一起使用? 我花了很多时间在谷歌上搜索它,但仍然无法使它工作。 谢谢! 任何建议都非常受欢迎
答案 0 :(得分:1)
void write(const char what,int a)
是错误的,因为你只传递一个char函数,你应该void write(const char* what,int a)
将指针传递给cstring开头。
你也希望连接两个cstrings,而在c ++中,你不能像在其他语言中一样,但是你可以使用std :: string来做你想做的事。
试试这个
#include <string>
void write(const char* what,int a){
std::ofstream writefile;
std::string fileName("bin\\");
fileName+=what;
writefile.open(fileName.c_str());
writefile << a;
writefile.close();
}