如何连接字符串和整数来创建文件名?

时间:2013-04-08 19:46:41

标签: c++ sdl

我有一系列文件(New1.BMP,New2.BMP,...,New10.BMP)。

我需要创建一个存储上述文件名称的变量,然后在另一个代码中使用它。

我目前的代码:

int LengthFiles =10;
char FilePrefix[100]="New";//This is actually passed to the function. Am changing it here for simplicity
char str[200],StrNumber[1];//str holds the file name in the end. StrNumber is used to convert number value to character
 SDL_Surface *DDBImage[9]; // This is a SDL (Simple DIrectMedia Library) declaration.
 for (int l=0;l<LengthFiles ;l++)
     {      
    itoa(l, StrNumber, 1);
    strcat(str,FilePrefix);strcat(str,StrNumber);strcat(str,".BMP");
    DDBImage[l]= SDL_DisplayFormat(SDL_LoadBMP(str));

     }

正如您可能看到的,我不知道如何用C ++编写代码,我试图通过在线代码片段来完成这项工作。这是它应该如何在C / C ++中工作,即即时创建变量。

我如何最好地接近它?

2 个答案:

答案 0 :(得分:6)

你原来的问题标题有点误导,因为你真正想做的就是连接一个字符串和一个整数。

在C ++中,您可能会使用stringstream执行此操作:

stringstream ss;
ss << "New" << l << ".bmp";

然后获取string变量:

string filename = ss.str();

最后将C字符串传递给SDL函数使用c_str()

SDL_LoadBMP(filename.c_str())

DDBImage的声明是错误的。你需要一个长度为10的数组,但你声明它的长度为9.如果你将LengthFiles变为常量,你可以编写SDL_Surface *DDBImage[LengthFiles],所以要确保数组的长度正确。

代码可能如下所示:

const int FileCount = 10;
SDL_Surface *DDBImage[FileCount];
for (int index=0; index<FileCount; index++)
{      
    stringstream ss;
    ss << "New" << index << ".bmp";
    string filename = ss.str();
    DDBImage[index] = SDL_DisplayFormat(SDL_LoadBMP(filename.c_str()));
}

如果您的文件名真的以New1.bmp开头,那么您需要调整索引:

ss << "New" << index+1 << ".bmp";

最后,如果您需要扩展它以处理在运行时确定的可变数量的文件,那么您应该使用vector<*DDBImage>而不是原始数组。使用vector<>允许您让C ++标准库为您处理低级内存管理。事实上,当你在使用C ++进行编程时发现自己分配内存时,你应该问问自己是否已经有一部分标准库会为你做这件事。

答案 1 :(得分:0)

您可以使用格式化的字符串printf ...大致沿着

sprintf( str, "%s%d.BMP", prefix, fileNumber );

查看http://www.cplusplus.com/reference/cstdio/sprintf/