2

我正在尝试使用以下 C# 代码在用户控件上绘制 7 x 5 网格:

Pen p = _createPen( Brushes.Red );

int slotWidth = this.Width / 7;
int slotHeight = this.Height / 5;

// columns = days
for ( int c = 1; c < 7; c++ )
{
    // rows = weeks
    for ( int r = 1; r < 5; r++ )
    {
        g.FillRectangle( Brushes.LightGray, new Rectangle( 1, ( ( r - 1 ) * slotHeight ) + 1, this.Width - 2, 10 ) );
        g.DrawLine( p, new Point( 0, r * slotHeight ), new Point( this.Width, r * slotHeight ) );
            }
        g.DrawLine( p, new Point( c * slotWidth, 1 ), new Point( c * slotWidth, this.Height - 2 ) );
    }
}

我遇到的问题是最后一列的线在填充的矩形上绘制,但其他的不是。我不确定为什么FillRectangle()首先完成,以便后续DrawLine()方法应该在矩形上绘制,但它没有这样做。

该代码已添加到用户控件的Paint()事件中。

4

1 回答 1

4

简单的放置线:

g.DrawLine(p, new Point(c * slotWidth, 1), new Point(c * slotWidth, this.Height - 2));

在您的行的 for 循环之前。

  // columns = days
  for (int c = 1; c < 7; c++)
  {
       g.DrawLine(p, new Point(c * slotWidth, 1), new Point(c * slotWidth, this.Height - 2));
       // rows = weeks
       for (int r = 1; r < 5; r++)
       {
            g.FillRectangle(Brushes.LightGray, new Rectangle(1, ((r - 1) * slotHeight) + 1, this.Width - 2, 10));
            g.DrawLine(p, new Point(0, r * slotHeight), new Point(this.Width, r * slotHeight));
       }              
   }

最后一行绘制在其他行之上,因为没有下一次迭代。在最后一次迭代之前的迭代中,您每次都用红色列线的矩形进行重绘。

于 2013-07-23T14:26:37.393 回答