首先为doc添加两个成员变量:
protected:
COLORREF m_clrCurrentColor;
COLORREF m_clrGrid[4][4];
和与之对应的get、set函数:
COLORREF CSquareDoc::GetCurrentColor()
{
return m_clrCurrentColor;
}
COLORREF CSquareDoc::GetSquare(int i, int j)
{
ASSERT(i >=0 && i <=3 && j >= 0 && j <=3);
return m_clrGrid[i][j];
}
void CSquareDoc::SetSquare(int i, int j,COLORREF color)
{
ASSERT(i >=0 && i <=3 && j >= 0 && j <=3);
m_clrGrid[i][j] = color;
//文档被修改
SetModifiedFlag(TRUE);
//更新VIEW,引起重绘
UpdateAllViews(NULL);
}
文档\视类框架的特点就体现在在这里了,如果调用了SetSquare函数,那么会引起视类的重绘。
void CSquareDoc::OnColorRed()
{
// TODO: Add your command handler code here
m_clrCurrentColor = RGB(255,0,0);
}
void CSquareDoc::OnUpdateColorRed(CCmdUI* pCmdUI)
{
// TODO: Add your command update UI handler code here
pCmdUI->SetRadio(m_clrCurrentColor == RGB(255,0,0));
}
void CSquareDoc::Serialize(CArchive& ar)
{
if (ar.IsStoring())
{
// TODO: add storing code here
for(int i = 0; i < 4; ++i)
{
for(int j = 0; j< 4; ++j)
{
ar<>m_clrGrid[i][j];
}
}
ar>>m_clrCurrentColor;
}
}
void CSquareView::OnDraw(CDC* pDC)
{
CSquareDoc* pDoc = GetDocument();
ASSERT_VALID(pDoc);
// TODO: add draw code for native data here
//MM_LOMETRIC模式下y轴朝上,原点为左上角
pDC->SetMapMode(MM_LOMETRIC);
//填充颜色
for(int i = 0; i < 4;++i)
{
for(int j = 0; j < 4;++j)
{
COLORREF color = pDoc->GetSquare(i, j);
CBrush brush(color);
int x1 = 200+ i * 200;
int y1 = -200- j * 200;
int x2 = x1 + 200;
int y2 = y1 - 200;
CRect rect(x1,y1,x2,y2);
pDC->FillRect(rect,&brush);
}
}
//画出格子
for(int x = 200; x < 1200; x += 200)
{
pDC->MoveTo(x,-200);
pDC->LineTo(x,-1000);
}
for(int y = -200; y >-1200;y -= 200)
{
pDC->MoveTo(200,y);
pDC->LineTo(1000,y);
}
}
void CSquareView::OnLButtonDown(UINT nFlags, CPoint point)
{
// TODO: Add your message handler code here and/or call default
CClientDC dc(this);
dc.SetMapMode(MM_LOMETRIC);
//传过来的设备坐标
CPoint pos = point;
//转化为逻辑坐标
dc.DPtoLP(&pos);
if(pos.x >= 200 && pos.x < 1200 && pos.y <= -200 && pos.y > -1200)
{
int i = (pos.x - 200) / 200;
int j = (-pos.y - 200) / 200;
CSquareDoc *pDC = GetDocument();
//获取当前颜色
COLORREF color = pDC->GetCurrentColor();
//设置某个方块的颜色
pDC->SetSquare(i, j, color);
}
CView::OnLButtonDown(nFlags, point);
}
OnDraw。在这个函数中,我们会根据m_clrGrid[4][4]的值,把所有的方块都画一遍。这也就解决了当窗口最小化再最大化以后,颜色消失的问题。还有一点需要注意的是,这里先填了颜色,再画了网格。如果改变二者的顺序,填充的颜色会遮挡住网格的边界的。
最后简单的评价一个这个程序,首先,它的架构:在doc中处理数据,在view中显示数据,这一点是很好的,保证了用具界面与核心内容分离。但是,它也有不好的地方,当鼠标点击后,是通过刷屏,在刷屏时重新绘制整幅图像,但如果消息到来的次数很频繁,那么这样做会是得程序一闪一闪的,很不好看;所以如果考虑到这个问题,应该这么架构:
1.对于特定的消息,如果它们引起的画图是一样的,(比如键盘上方向键引起的缩放和鼠标滚轮引起的缩放),那么应该让他们调用同一个函数。
2.对于不同的画图,比如最小化以后再最大化引起的重绘,设计另外一套绘图。