如何使用 SDL c++ 库在两个给定点之间绘制二维线。我不想使用任何其他外部库,例如 SDL_draw 或 SDL_gfx 。
问问题
12817 次
3 回答
8
为遇到相同问题的编码人员提供最新答案。
在 SDL2 中,SDL_Render.h 中有几个函数可以实现这一点,而无需实现您自己的线条绘制引擎或使用外部库。
您可能想要使用:
int SDL_RenderDrawLine( SDL_Renderer* renderer, int x1, int y1, int x2, int y2 );
其中 renderer 是您之前创建的渲染器,x1 & y1 为开头,x2 & y2 为结尾。
还有一个替代函数,您可以立即绘制一条具有多个点的线,而不是多次调用上述函数:
int SDL_RenderDrawPoints( SDL_Renderer* renderer, const SDL_Point* points, int count );
其中renderer是您之前创建的渲染器,points是已知点的固定数组,并计算该固定数组中的点数。
所有提到的函数在出错时返回 -1,在成功时返回 0。
于 2014-10-23T16:53:23.883 回答
2
您可以使用任何线条绘制算法。
一些常见且简单的方法是:
数字差分分析仪 (DDA)
Bresenham 线算法
吴小林的线算法
于 2012-07-31T10:29:54.907 回答
2
Rosetta Code 有一些例子:
void Line( float x1, float y1, float x2, float y2, const Color& color )
{
// Bresenham's line algorithm
const bool steep = (fabs(y2 - y1) > fabs(x2 - x1));
if(steep)
{
std::swap(x1, y1);
std::swap(x2, y2);
}
if(x1 > x2)
{
std::swap(x1, x2);
std::swap(y1, y2);
}
const float dx = x2 - x1;
const float dy = fabs(y2 - y1);
float error = dx / 2.0f;
const int ystep = (y1 < y2) ? 1 : -1;
int y = (int)y1;
const int maxX = (int)x2;
for(int x=(int)x1; x<maxX; x++)
{
if(steep)
{
SetPixel(y,x, color);
}
else
{
SetPixel(x,y, color);
}
error -= dy;
if(error < 0)
{
y += ystep;
error += dx;
}
}
}
于 2012-07-31T16:27:40.963 回答