我正在用SDL和C作为个人项目和学习经验,从头开始创建一个Gameboy彩色游戏的PC端口。游戏使用调色板交换来创建效果,我也希望能够这样做。我已经了解到SDL有一些调色板函数,但是它们被贬低了,几乎不起作用。
既然我不能使用这些,在我的情况下,什么是模拟调色板交换的最佳方法?
最佳答案
不赞成?你能给我一个来源的链接吗?
可能(未测试)由于桌面配置的原因,您不能直接将其用作输出曲面,但SDL支持AFAIK 8位索引调色板曲面,您可以创建一个索引的屏幕外曲面,调整调色板,然后将其blit到输出曲面。
编辑
这是一个SDL1.2的工作示例,遗憾的是,这里使用的gif没有正确转换调色板,因此循环只是显示为一些闪光,我没有寻找任何更好的。
请注意,不能直接插入surface调色板,需要使用SDL_SetColors()
SDL2.0添加了一些函数来处理调色板,但我希望它能够工作(未经测试)。
测试c:
#include "SDL.h"
#include "SDL_image.h"
void cycle(SDL_Color *colors, int first, int ncolors) {
int i;
SDL_Color tmp;
tmp = colors[first];
for (i=first+1; i < first+ncolors; i++)
colors[i-1] = colors[i];
colors[i-1] = tmp;
}
int main (int argc, char *argv[]) {
SDL_Surface *out, *gif;
SDL_Event event;
int gameover = 0, i;
int ncolors;
SDL_Color *palette;
SDL_Init(SDL_INIT_VIDEO);
out = SDL_SetVideoMode(640, 480, 0, 0);
gif = IMG_Load("Grafx2.gif");
if (gif == NULL) {
fprintf(stderr,"IMG_Load(): %s\n",IMG_GetError());
goto err; /* <- evil */
}
printf("Bpp %d\n", gif->format->BytesPerPixel);
printf("bpp %d\n", gif->format->BitsPerPixel);
ncolors = gif->format->palette->ncolors;
printf("ncolors %d\n", ncolors);
palette = malloc(sizeof(SDL_Color)*ncolors); /* error check */
for (i=0; i < ncolors; i++) {
palette[i] = gif->format->palette->colors[i];
printf("[%d] r=%d, g=%d, b=%d\n", i, palette[i].r, palette[i].g,
palette[i].b);
}
while (!gameover) {
if (SDL_PollEvent(&event)) {
if (event.type == SDL_QUIT)
gameover = 1;
}
cycle(palette, 192, 64);
SDL_SetColors(gif, palette, 0, ncolors);
SDL_BlitSurface(gif, NULL, out, NULL);
SDL_UpdateRect(out, 0, 0, 0, 0);
}
free(palette);
SDL_FreeSurface(gif);
err:
SDL_Quit();
return 0;
}
生成文件:
CC = gcc
# CFLAGS += $(shell sdl-config --cflags)
# LIBS += $(shell sdl-config --libs)
CFLAGS += $(shell pkg-config SDL_image --cflags)
LIBS += $(shell pkg-config SDL_image --libs)
# CFLAGS += -Wno-switch
all: Grafx2.gif test
test.o: test.c
$(CC) -Wall -O2 $(CFLAGS) -c -o $@ $<
test: test.o
$(CC) -o $@ $< $(LIBS)
Grafx2.gif:
wget http://upload.wikimedia.org/wikipedia/commons/7/77/Grafx2.gif
.PHONY: clean
clean:
-rm -f test *.o
关于c - 在SDL中使用调色板,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18694028/