1

当尝试在 RayLib 2.6 中绘制矩形时,我发现了这种“出血”效果: 出血效果

我试图寻找这种效果(我称之为出血的效果),但我没有找到它的正确名称。

我设法在这个最小的代码示例中重现它:

#include <raylib.h>

#define MAP_SIZE 64
#define TILE_SIZE 8

static int map[MAP_SIZE][MAP_SIZE];

static Color mappedColor[] = {
    {255, 0, 0, 255},
    {0, 255, 0, 255},
    {0, 0, 255, 255},
};
#define GetMapColor(c) mappedColor[c]

void Render(float dt)
{
    ClearBackground(BLACK);

    for (int x = 0; x < MAP_SIZE; x++)
        for (int y = 0; y < MAP_SIZE; y++)
            DrawRectangle(x * TILE_SIZE, y * TILE_SIZE, (x + 1) * TILE_SIZE, (y + 1) * TILE_SIZE, GetMapColor(map[x][y]));
}

void CreateMap()
{
    for (int x = 0; x < MAP_SIZE; x++)
        for (int y = 0; y < MAP_SIZE; y++)
            map[x][y] = GetRandomValue(0, 3);
}

int main(int argc, char **argv)
{
    InitWindow(800, 600, "Bleeding");
    SetTargetFPS(60);

    CreateMap();

    while (!WindowShouldClose())
    {
        float dt = GetFrameTime();

        BeginDrawing();

        Render(dt);

        EndDrawing();
    }

    CloseWindow();

    return 0;
}

谢谢!

4

1 回答 1

0

这是因为该DrawRectangle函数采用的参数与此代码可能预期的不同。

void DrawRectangle(int posX, int posY, int width, int height, Color color)

请注意,第三个和第四个参数是widthheight,而不是另一个角的位置坐标。

将 DrawRectangle 调用更改为

DrawRectangle(x * TILE_SIZE, y * TILE_SIZE,
              TILE_SIZE, TILE_SIZE,
              GetMapColor(map[x][y]));

以达到预期的效果。

于 2020-05-03T16:48:56.357 回答