我想打开从命令行发送的文件名,但文件位于 /home/docs/cs230 中。以下是我尝试过的代码,但是当我尝试在 linux 中编译时显示错误:
int main(int arg, char* args[1]) {
// Open the file
newfile = fopen("/home/docs/cs230/"+args[1], "w+b");
}
由于这是 C++,我们可以使用std::string
这样使用:
int main(int arg, char* args[]) {
// Open the file
std::string path( "/home/docs/cs230/" ) ;
path+= args[1] ;
std::cout << path << std::endl ;
FILE *newfile = fopen( path.c_str(), "w+b");
}
Mats 还提出了一个很好的评论,即在 C++ 中我们将使用fstream,您可以在链接中阅读更多信息。
由于这是 C++,我建议这样做:
int main(int argc, char *argv[])
// Please don't make up your own names for argc/argv, it just confuses people!
{
std::string filename = "/home/docs/cs230/";
filename += argv[1];
newfile = fopen(filename.c_str(), "w+b");
}
[虽然要使其完全使用 C++,但您应该使用fstream
,而不是 FILE
如果你想坚持使用指针,你可以连接字符串 (char*)
const char* path = "/home/docs/cs230/";
int size1 = sizeof(argv[1]);
int size2 = sizeof(path);
const char* result = new char[size1 + size2 + 2];
result[size1 + size2 + 1] = '\0';
memcpy( result, path, size1 );
memcpy( &result[ size1 ], argv[1], size2 );
不是推荐的选项,但这里有很多可能性。