如何画直线到鼠标坐标?

时间:2014-05-02 09:09:26

标签: c# winforms

当用户按下左键并移动鼠标时,它应显示从前一点到当前鼠标移动位置的直线(非永久线)。最后,当用户释放鼠标时,会出现一条真正的直线。请帮帮我..我是怎么做的?

      List<Point> points = new List<Point>();

     private void pictureBox1_MouseDown(object sender, MouseEventArgs e)
      {
         if (e.Button == MouseButtons.Left)
       {
           points.Add(e.Location);
           pictureBox1.Invalidate();
       }
     }

    private void pictureBox1_Paint(object sender, PaintEventArgs e)
     {
         if (points.Count > 1)
         e.Graphics.DrawLines(Pens.Black, points.ToArray());
     }

2 个答案:

答案 0 :(得分:2)

这就是你要找的东西

private Stack<Point> points = new Stack<Point>();
private void pictureBox1_MouseDown(object sender, MouseEventArgs e)
{
    points.Clear();
    points.Push(e.Location);
}

private void pictureBox1_MouseMove(object sender, MouseEventArgs e)
{
    if (points.Count > 1)
    {
        points.Pop();
    }
    if (points.Count > 0 && e.Button == System.Windows.Forms.MouseButtons.Left)
    {
        points.Push(e.Location);
        pictureBox1.Invalidate();
    }
}

private void pictureBox1_Paint(object sender, PaintEventArgs e)
{
    if (points.Count > 1)
        e.Graphics.DrawLines(Pens.Black, points.ToArray());
}

我使用Stack易于使用,您可以随意更改为您选择的任何集合。

要绘制几行,你可以做这样的事情

private Stack<Line> lines = new Stack<Line>();
private void pictureBox1_MouseDown(object sender, MouseEventArgs e)
{
    lines.Push(new Line { Start = e.Location });
}

private void pictureBox1_MouseMove(object sender, MouseEventArgs e)
{
    if (lines.Count > 0 && e.Button == System.Windows.Forms.MouseButtons.Left)
    {
        lines.Peek().End = e.Location;
        pictureBox1.Invalidate();
    }
}

private void pictureBox1_Paint(object sender, PaintEventArgs e)
{
    foreach (var line in lines)
    {
        e.Graphics.DrawLine(Pens.Black, line.Start, line.End);
    }
}

class Line
{
    public Point Start { get; set; }
    public Point End { get; set; }
}

答案 1 :(得分:0)

你可以使用提到的代码

 Point currentPoint = new Point();
  private void Canvas_MouseDown_1(object sender, System.Windows.Input.MouseButtonEventArgs e)
    {
        if (e.ButtonState == MouseButtonState.Pressed)
            currentPoint = e.GetPosition(this);
    }

    private void Canvas_MouseMove_1(object sender, System.Windows.Input.MouseEventArgs e)
    {
        if (e.LeftButton == MouseButtonState.Pressed)
        {
            Line line = new Line();

            line.Stroke = SystemColors.WindowFrameBrush;
            line.X1 = currentPoint.X;
            line.Y1 = currentPoint.Y;
            line.X2 = e.GetPosition(this).X;
            line.Y2 = e.GetPosition(this).Y;

            currentPoint = e.GetPosition(this);

            paintSurface.Children.Add(line);
        }
    }