2

我有一系列文件(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++ 中工作,即动态创建变量。

我如何最好地接近它?

4

2 回答 2

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>而不是原始数组。Usingvector<>允许您让 C++ 标准库为您处理低级内存管理。事实上,任何时候当你发现自己在用 C++ 编程时分配内存时,你应该问自己是否已经有标准库的某些部分可以为你做这件事。

于 2013-04-08T19:51:30.947 回答
0

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

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

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

于 2013-04-08T19:52:01.537 回答