2014-06-20 45 views
0

我有下面这个绘制鼠标拖动的矩形和一个网格绘制脚本,它在图片框上绘制一个32x32的网格,我试图做的是将矩形对齐网格,然后屏幕在矩形内拍摄。将绘制的矩形对齐到网格

我已经得到了屏幕截图位和矩形的绘图而不是捕捉网格位工作。

private bool _selecting; 
private Rectangle _selection; 

private void picCanvas_MouseDown(object sender, System.Windows.Forms.MouseEventArgs e) 
{ 
    if (e.Button == MouseButtons.Left) 
    { 
     _selecting = true; 
     _selection = new Rectangle(new Point(e.X, e.Y), new Size()); 
    } 
} 

private void picCanvas_MouseMove(object sender, System.Windows.Forms.MouseEventArgs e) 
{ 
    if (_selecting) 
    { 
     _selection.Width = e.X - _selection.X; 
     _selection.Height = e.Y - _selection.Y; 

     pictureBox1.Refresh(); 
    } 
} 

public Image Crop(Image image, Rectangle selection) 
{ 
    Bitmap bmp = image as Bitmap; 

    // Check if it is a bitmap: 
    if (bmp == null) 
     throw new ArgumentException("No valid bitmap"); 

    // Crop the image: 
    Bitmap cropBmp = bmp.Clone(selection, bmp.PixelFormat); 

    // Release the resources: 
    image.Dispose(); 

    return cropBmp; 
} 

private void picCanvas_MouseUp(object sender, System.Windows.Forms.MouseEventArgs e) 
{ 
    if (e.Button == MouseButtons.Left && 
     _selecting && 
     _selection.Size != new Size()) 
    { 
     // Create cropped image: 
     //Image img = Crop(pictureBox1.Image, _selection); 

     // Fit image to the picturebox: 
     //pictureBox1.Image = img; 

     _selecting = false; 
    } 
    else 
     _selecting = false; 
} 

private void pictureBox1_Paint(object sender, PaintEventArgs e) 
{ 
    if (_selecting) 
    { 
     // Draw a rectangle displaying the current selection 
     Pen pen = Pens.GreenYellow; 
     e.Graphics.DrawRectangle(pen, _selection); 
    } 

    Graphics g = e.Graphics; 
    int numOfCells = amount; 
    Pen p = new Pen(Color.LightGray); 

    for (int y = 0; y < numOfCells; ++y) 
    { 
     g.DrawLine(p, 0, y * ysize, numOfCells * ysize, y * ysize); 
    } 

    for (int x = 0; x < numOfCells; ++x) 
    { 
     g.DrawLine(p, x * xsize, 0, x * xsize, numOfCells * xsize); 
    } 
} 
+1

我没有看到任何捕捉到网格代码。它怎么可能工作? –

+0

您是否在问“抽象”窗口的抽象概念会如何工作?我会声明一个'snapPadDist',并且如果拖动时鼠标的值位于目标矩形的'snapPadDist'内,则只需绘制与目标矩形大小相同的矩形。 – AnotherUser

回答

2

首先我想声明的捕捉方法

private Point SnapToGrid(Point p) 
{ 
    double x = Math.Round((double)p.X/xsize) * xsize; 
    double y = Math.Round((double)p.Y/ysize) * ysize; 
    return new Point((int)x, (int)y); 
} 

然后你就可以初始化这样的选择中的MouseDown:

_selection = new Rectangle(SnapToGrid(e.Location), new Size()); 

并可以调整像这样的MouseMove宽度:

Point dest = SnapToGrid(e.Location); 
_selection.Width = dest.X - _selection.X; 
_selection.Height = dest.Y - _selection.Y; 
+0

完美无缺!谢谢 – Houlahan