C#如何实现几何测量工具

请教下这种在图像上用鼠标绘制的几何测量方法是如何实现的呢?
目前知道用绘图方法可以实现线段、圆形、多边形等图形绘制,不过该方法缺少测量数据的展示,且线段的两端点没有卡尺效果。
有了解的请分享下经验!

img

你好,如果要在图片上绘制线段并显示其长度,你需要对GDI+绘图功能有一定了解。可以使用C#的GDI+绘图功能和数学计算来实现。下面是一个简单的示例代码,假设你已经有一个PictureBox控件和一个Button控件:

using System;
using System.Drawing;
using System.Windows.Forms;

namespace DrawLineDemo
{
    public partial class Form1 : Form
    {
        private Point startPoint;
        private Point endPoint;

        public Form1()
        {
            InitializeComponent();
            pictureBox1.Image = new Bitmap(pictureBox1.Width, pictureBox1.Height);
        }

        private void pictureBox1_MouseDown(object sender, MouseEventArgs e)
        {
            startPoint = e.Location;
        }

        private void pictureBox1_MouseUp(object sender, MouseEventArgs e)
        {
            endPoint = e.Location;

            // 绘制直线
            Graphics g = Graphics.FromImage(pictureBox1.Image);
            g.DrawLine(Pens.Black, startPoint, endPoint);
            pictureBox1.Invalidate();

            // 计算长度并显示
            double length = Math.Sqrt(Math.Pow(endPoint.X - startPoint.X, 2) + Math.Pow(endPoint.Y - startPoint.Y, 2));
            MessageBox.Show($"线段长度为 {length:F2} 像素");
        }

        private void button1_Click(object sender, EventArgs e)
        {
            pictureBox1.Image = new Bitmap(pictureBox1.Width, pictureBox1.Height);
        }
    }
}

在这个示例代码中,当用户在PictureBox上按下鼠标时,我们记录下鼠标的起点坐标;当用户释放鼠标时,记录下鼠标的终点坐标,使用GDI+的DrawLine方法在PictureBox上绘制直线,并计算直线长度并显示。这里的计算直线长度使用了勾股定理。另外,还需要为Button控件添加了一个点击事件,用于清除PictureBox上的绘制。