因此,
我正在使用 C++ 中的 DIRECTX API 并设计一个在 parent 中进行剪辑的精灵接口RECT
,例如 UI 窗口或其他精灵或你有的东西。
这是因为,稍后,我将为 UI 窗口制作滚动功能。
我认为一张图片适合展示我想要实现的目标。
为了进行裁剪计算,至少需要四个变量/结构(据我所知):
- 父级
RECT
:“剪裁”界限 D3DXIMAGE_INFO
:包含图像信息,例如宽度和高度- 精灵位置
- 绘制
RECT
:用于LPD3DXSPRITE->Draw()
功能。基本上,应该绘制图像的哪一部分。这是完成“剪辑”的地方。
现在,如果我向您展示我的整个界面及其内部工作原理以及它如何处理变量,我认为这会令人困惑。
因此,相反,
这段代码演示了我当前如何计算剪裁。
void ClippingCalculation(){
RECT parent_bounds, draw_rect;
D3DXVECTOR2 sprite_position; //Relative to parent rect
D3DXIMAGE_INFO img_info;
//Fill image info
D3DXGetImageInfoFromFile("image.png", &img_info); //Image is 100x100px
//Define the rects
SetRect(&parent_bounds, 0, 0, 200, 200);
SetRect(&draw_rect, 0, 0, img_info.Width, img_info.Height); //Draw the entire image by default
//Give it a position that makes a portion go out of parent bounds
sprite_position = D3DXVECTOR2(150, 150); // 3/4 of the entire image is out of bounds
//Check if completely within bounds
bool min_x = (sprite_position.x > parent_bounds.left),
min_y = (sprite_position.y > parent_bounds.top),
max_x = (sprite_position.x+img_info.Width < parent_bounds.right),
max_y = (sprite_position.y+img_info.Height < parent_bounds.bottom);
if(min_x && min_y && max_x && max_y)
return; //No clipping needs to be done
float delta_top = parent_bounds.top - sprite_position.y,
delta_left = parent_bounds.left - sprite_position.x,
delta_bottom = parent_bounds.bottom - sprite_position.y,
delta_right = parent_bounds.right - sprite_position.x;
//Check if completely outside bounds
bool out_left = (delta_left >= img_info.Width),
out_top = (delta_top >= img_info.Height),
out_bottom = (delta_bottom >= img_info.Height),
out_right = (delta_right >= img_info.Width);
if(out_left || out_top || out_bottom || out_right){
//No drawing needs to be done, it's not even visible
return; //No clipping
}
if(!min_x) draw_rect.left = delta_left;
if(!min_x) draw_rect.top = delta_top;
if(!max_x) draw_rect.right = delta_right;
if(!max_y) draw_rect.bottom = delta_bottom;
return;
}
我的问题是:
- 您是否立即发现代码有任何问题?
- 它是有效的还是无效的?
每次精灵被重新定位、加载或添加父对象时都会进行剪辑。 - 数学扎实吗?我应该以不同的方式处理它吗?
- 能否以更好的方式完成,您能否提供示例?