我在MFC C ++中有一个附加了CButton的Dialog。 我想修改OnSize(),以便按钮将锚定到左下角。
if (btn.m_hWnd) {
CRect winRect;
GetWindowRect(&winRect);
int width = winRect.right - winRect.left;
int height = winRect.bottom - winRect.top;
int x = width - wndWidth;
int y = height - wndHeight;
CRect rect;
btn.GetWindowRect(&rect);
rect.left += x;
rect.top += y;
btn.MoveWindow(&rect);
ScreenToClient(&rect);
btn.ShowWindow(SW_SHOW);
}
x和y是窗口变化的差异,并将添加到按钮的起始坐标中。
我不确定最后两个命令(我不妨删除它们)但是然后我运行程序按钮消失了。
我需要知道一种按x和y移动按钮的方法。
答案 0 :(得分:2)
原始代码对父对话框和按钮使用了错误的坐标系。
停靠在左下角的正确方法是这样的:
if (btn.m_hWnd) {
CRect winRect;
GetClientRect(&winRect);
CRect rect;
btn.GetWindowRect(&rect);
ScreenToClient(&rect);
int btnWidth = rect.Width();
int btnHeight = rect.Width();
rect.left = winRect.right-btnWidth;
rect.top = winRect.bottom-btnHeight;
rect.right = winRect.right;
rect.bottom = winRect.bottom;
btn.MoveWindow(&rect);
}
OR
if (btn.m_hWnd) {
CRect winRect;
GetClientRect(&winRect);
CRect rect;
btn.GetWindowRect(&rect);
ScreenToClient(&rect);
int btnWidth = rect.Width();
int btnHeight = rect.Width();
btn.SetWindowPos(NULL,winRect.right-btnWidth,winRect.bottom-btnHeight,0,0,SWP_NOSIZE|SWP_NOZORDER);
}
答案 1 :(得分:1)
基本上,答案应该是在MoveWindow之前做ScreenToClient!
更多细节:您需要熟悉哪些函数返回或使用客户端坐标(以及相对于这些客户端坐标的位置)和哪些屏幕坐标;这是MFC的一个部分,可能真的令人困惑。至于你的问题:
CWnd::GetWindowRect返回屏幕坐标; CWnd::MoveWindow期望相对于父CWnd的坐标(或者如果它是顶级窗口则指向屏幕)。因此,在调用MoveWindow之前,必须将GetWindowRect返回的rect转换为父窗口的客户端坐标;假设pParent是CWnd *
父窗口的btn
,那么您的移动代码应如下所示:
CRect rect;
btn.GetWindowRect(&rect);
pParent->ScreenToClient(&rect); // this line and it's position is important
rect.left += x;
rect.top += y;
btn.MoveWindow(&rect);
如果你在父窗口的方法中(因为我认为你是,因为你提到了对话框的OnSize),那么就省略pParent->
。你现在使用ScreenToClient的方式,它对MoveWindow没有任何影响,因为它在它之后被执行了!