执行此操作的最简单方法之一是在您的构建中包含一个小型、可移植的 C 程序,该程序读取资源并生成一个 C 文件,其中包含资源数据的长度和作为常量字符文字数组的实际资源数据。这将完全独立于平台,但只能用于相当小的资源。对于更大的资源,您可能不想将文件嵌入程序中。
对于资源“foo”,生成的 C 文件“foo.c”将包含:
const char foo[] = { /* bytes of resource foo */ };
const size_t foo_len = sizeof(foo);
要从 C++ 访问资源,请在使用它们的标头或 cpp 文件中声明以下两个符号:
extern "C" const char foo[];
extern "C" const size_t foo_len;
要foo.c
在构建中生成,您需要 C 程序的目标(称为 embedfile.c),并且您需要使用ADD_CUSTOM_COMMAND命令来调用此程序:
add_executable(embedfile embedfile.c)
add_custom_command(
OUTPUT foo.c
COMMAND embedfile foo foo.rsrc
DEPENDS foo.rsrc)
然后,包含foo.c
在需要“foo”资源的目标的源列表中。您现在可以访问“foo”的字节。
程序 embedfile.c 是:
#include <stdlib.h>
#include <stdio.h>
FILE* open_or_exit(const char* fname, const char* mode)
{
FILE* f = fopen(fname, mode);
if (f == NULL) {
perror(fname);
exit(EXIT_FAILURE);
}
return f;
}
int main(int argc, char** argv)
{
if (argc < 3) {
fprintf(stderr, "USAGE: %s {sym} {rsrc}\n\n"
" Creates {sym}.c from the contents of {rsrc}\n",
argv[0]);
return EXIT_FAILURE;
}
const char* sym = argv[1];
FILE* in = open_or_exit(argv[2], "r");
char symfile[256];
snprintf(symfile, sizeof(symfile), "%s.c", sym);
FILE* out = open_or_exit(symfile,"w");
fprintf(out, "#include <stdlib.h>\n");
fprintf(out, "const char %s[] = {\n", sym);
unsigned char buf[256];
size_t nread = 0;
size_t linecount = 0;
do {
nread = fread(buf, 1, sizeof(buf), in);
size_t i;
for (i=0; i < nread; i++) {
fprintf(out, "0x%02x, ", buf[i]);
if (++linecount == 10) { fprintf(out, "\n"); linecount = 0; }
}
} while (nread > 0);
if (linecount > 0) fprintf(out, "\n");
fprintf(out, "};\n");
fprintf(out, "const size_t %s_len = sizeof(%s);\n\n",sym,sym);
fclose(in);
fclose(out);
return EXIT_SUCCESS;
}