Compare commits
No commits in common. "dev_xiao" and "dev_Lyb" have entirely different histories.
@ -1,28 +0,0 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk">
|
|
||||||
|
|
||||||
|
|
||||||
<PropertyGroup>
|
|
||||||
<TargetFramework>net8.0-windows</TargetFramework>
|
|
||||||
<ImplicitUsings>enable</ImplicitUsings>
|
|
||||||
<Nullable>enable</Nullable>
|
|
||||||
<BaseOutputPath>..\</BaseOutputPath>
|
|
||||||
<AppendTargetFrameworkToOutputPath>output</AppendTargetFrameworkToOutputPath>
|
|
||||||
<UseWindowsForms>true</UseWindowsForms>
|
|
||||||
<AllowUnsafeBlocks>true</AllowUnsafeBlocks>
|
|
||||||
<Platforms>AnyCPU;x64</Platforms>
|
|
||||||
</PropertyGroup>
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<PackageReference Include="Newtonsoft.Json" Version="13.0.3" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<!--<ItemGroup>
|
|
||||||
<PackageReference Include="SkiaSharp" Version="2.88.9" />
|
|
||||||
<PackageReference Include="SkiaSharp.Views" Version="2.88.9" />
|
|
||||||
<PackageReference Include="SkiaSharp.Views.Desktop.Common" Version="2.88.9" />
|
|
||||||
<PackageReference Include="SkiaSharp.Views.Forms" Version="2.88.9" />
|
|
||||||
</ItemGroup>-->
|
|
||||||
|
|
||||||
</Project>
|
|
@ -1,88 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Drawing.Drawing2D;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Helper
|
|
||||||
{
|
|
||||||
public static class PointHelper
|
|
||||||
{
|
|
||||||
public static Point ToPoint(this PointF pf)
|
|
||||||
{
|
|
||||||
return new Point((int)pf.X, (int)pf.Y);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 将相对于控件的坐标转换为相对于图像的坐标
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="p">控件中指定点的点位坐标,坐标原点为控件左上角</param>
|
|
||||||
/// <returns>该点以图像坐标系为基准的坐标值,坐标原点为图像左上角</returns>
|
|
||||||
public static PointF ToImageCoordinate(this Point p, Matrix m)
|
|
||||||
{
|
|
||||||
PointF pf = new PointF(p.X, p.Y);
|
|
||||||
return ToImageCoordinate(pf, m);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 将相对于控件的坐标转换为相对于图像的坐标
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="p">控件中指定点的点位坐标,坐标原点为控件左上角</param>
|
|
||||||
/// <returns>该点以图像坐标系为基准的坐标值,坐标原点为图像左上角</returns>
|
|
||||||
public static PointF ToImageCoordinate(this PointF p, Matrix m)
|
|
||||||
{
|
|
||||||
PointF[] ps = new PointF[] { p };
|
|
||||||
Matrix invertMatrix = m.Clone();
|
|
||||||
//想要从旧空间到新空间的逆变换,所以我们需要对这个矩阵求逆
|
|
||||||
invertMatrix.Invert();
|
|
||||||
invertMatrix.TransformPoints(ps);
|
|
||||||
return ps[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 将相对于图像的坐标转换为相对于控件坐标系
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="p">图像中指定点的点位坐标,坐标原点为图像左上角</param>
|
|
||||||
/// <returns>该点以空间坐标系为基准的坐标值,坐标原点为空间坐左上角</returns>
|
|
||||||
public static PointF ToControlCoordinate(this PointF p, Matrix m)
|
|
||||||
{
|
|
||||||
PointF[] ps = new PointF[] { p };
|
|
||||||
m.TransformPoints(ps);
|
|
||||||
return ps[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public static float Distance(PointF p1, PointF p2)
|
|
||||||
{
|
|
||||||
return (float)Math.Sqrt(Math.Pow(p2.X - p1.X, 2) + Math.Pow(p2.Y - p1.Y, 2));
|
|
||||||
}
|
|
||||||
|
|
||||||
public static float DistanceToLine(PointF point, PointF start, PointF end)
|
|
||||||
{
|
|
||||||
float lineLengthSquared = DistanceSquared(start, end);
|
|
||||||
if (lineLengthSquared == 0)
|
|
||||||
{
|
|
||||||
return Distance(point, start); // 线段的两个端点重合
|
|
||||||
}
|
|
||||||
|
|
||||||
float t = ((point.X - start.X) * (end.X - start.X) + (point.Y - start.Y) * (end.Y - start.Y)) / lineLengthSquared;
|
|
||||||
t = Math.Clamp(t, 0, 1); // 限制 t 在 [0, 1] 范围内
|
|
||||||
|
|
||||||
PointF projection = new PointF(
|
|
||||||
start.X + t * (end.X - start.X),
|
|
||||||
start.Y + t * (end.Y - start.Y));
|
|
||||||
|
|
||||||
return Distance(point, projection);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public static float DistanceSquared(PointF p1, PointF p2)
|
|
||||||
{
|
|
||||||
return (float)(Math.Pow(p2.X - p1.X, 2) + Math.Pow(p2.Y - p1.Y, 2));
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,32 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Model
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 点击的区域
|
|
||||||
/// </summary>
|
|
||||||
internal enum ClickArea
|
|
||||||
{
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 未知区域
|
|
||||||
/// </summary>
|
|
||||||
AREA_UNKNOW,
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 图片区域
|
|
||||||
/// </summary>
|
|
||||||
AREA_IMG,
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 缺陷元素区域
|
|
||||||
/// </summary>
|
|
||||||
AREA_DEFECT,
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,22 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace LabelSharp.Config
|
|
||||||
{
|
|
||||||
public static class CustomCursors
|
|
||||||
{
|
|
||||||
|
|
||||||
public static Cursor CURSOR_DEFAULT = Cursors.Arrow;
|
|
||||||
public static Cursor CURSOR_POINT = Cursors.Hand;
|
|
||||||
public static Cursor CURSOR_DRAW = Cursors.Cross;
|
|
||||||
public static Cursor CURSOR_MOVE = Cursors.Hand;
|
|
||||||
public static Cursor CURSOR_GRAB = Cursors.Hand;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,12 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Model.Exception
|
|
||||||
{
|
|
||||||
internal class InvalidShapeException : System.Exception
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,41 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Shape
|
|
||||||
{
|
|
||||||
public abstract class BaseShape
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,15 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Shape
|
|
||||||
{
|
|
||||||
internal enum DoubleClickActionEnum
|
|
||||||
{
|
|
||||||
None,
|
|
||||||
Close,
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,938 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Drawing.Drawing2D;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Runtime.Serialization.Formatters.Binary;
|
|
||||||
using System.Runtime.Serialization;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using CanFly.Canvas.Helper;
|
|
||||||
using Newtonsoft.Json;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Net.NetworkInformation;
|
|
||||||
using System.Drawing;
|
|
||||||
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Shape
|
|
||||||
{
|
|
||||||
[Serializable]
|
|
||||||
public class FlyShape
|
|
||||||
{
|
|
||||||
private const float DFT_VTX_EPSILON = 4f;
|
|
||||||
private float _epsilon = DFT_VTX_EPSILON;
|
|
||||||
|
|
||||||
public float LineWidth { get; set; } = 2f;
|
|
||||||
|
|
||||||
|
|
||||||
#region Shape颜色
|
|
||||||
|
|
||||||
#region drawing
|
|
||||||
public Color line_color = Color.FromArgb(128, 0, 255, 0);
|
|
||||||
public Color fill_color = Color.FromArgb(64, 0, 0, 0);
|
|
||||||
public Color vertex_fill_color = Color.FromArgb(255, 0, 255, 0);
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region selecting / hovering
|
|
||||||
public Color select_line_color = Color.FromArgb(255, 255, 255, 255);
|
|
||||||
public Color select_fill_color = Color.FromArgb(64, 0, 255, 0);
|
|
||||||
public Color hvertex_fill_color = Color.FromArgb(255, 255, 255, 255);
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
|
|
||||||
private PointTypeEnum point_type = PointTypeEnum.ROUND;
|
|
||||||
private float point_size = 8.0f;
|
|
||||||
|
|
||||||
private float _scale = 1.0f;
|
|
||||||
private float scale
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return _scale;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
_scale = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private ShapeTypeEnum _shape_type;
|
|
||||||
private Matrix _matrix = new Matrix();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public ShapeTypeEnum ShapeType
|
|
||||||
{
|
|
||||||
get => _shape_type;
|
|
||||||
set { _shape_type = value; }
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public string label = "";
|
|
||||||
public int? group_id = null;
|
|
||||||
private List<PointF> _points
|
|
||||||
{
|
|
||||||
get;
|
|
||||||
set;
|
|
||||||
} = new List<PointF>();
|
|
||||||
|
|
||||||
public List<PointF> Points
|
|
||||||
{
|
|
||||||
get { return _points; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
this._points = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private List<PointF> _pointsRaw = new List<PointF>();
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 辅助节点
|
|
||||||
/// </summary>
|
|
||||||
public List<PointF> GuidePoints = new List<PointF>();
|
|
||||||
|
|
||||||
public float _currentRotateAngle;
|
|
||||||
private bool _isRotating = false;
|
|
||||||
|
|
||||||
|
|
||||||
public List<int> point_labels = new List<int>();
|
|
||||||
|
|
||||||
|
|
||||||
private ShapeTypeEnum _shape_type_raw;
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 是否填充多边形。使用:select_fill_color 或 fill_color 填充。
|
|
||||||
/// </summary>
|
|
||||||
public bool fill = false;
|
|
||||||
|
|
||||||
|
|
||||||
public bool Selected { get; set; } = false;
|
|
||||||
public object? flags;
|
|
||||||
public string description = "";
|
|
||||||
private List<object> other_data = new List<object>();
|
|
||||||
|
|
||||||
|
|
||||||
private int _highlightIndex = -1;
|
|
||||||
private HighlightModeEnum _highlightMode = HighlightModeEnum.NEAR_VERTEX;
|
|
||||||
|
|
||||||
|
|
||||||
private Dictionary<HighlightModeEnum, HighlightSetting> _highlightSettings = new Dictionary<HighlightModeEnum, HighlightSetting>()
|
|
||||||
{
|
|
||||||
{ HighlightModeEnum.NEAR_VERTEX,new HighlightSetting(4,PointTypeEnum.ROUND)},
|
|
||||||
{ HighlightModeEnum.MOVE_VERTEX,new HighlightSetting(1.5f,PointTypeEnum.SQUARE)},
|
|
||||||
};
|
|
||||||
|
|
||||||
|
|
||||||
private bool _closed = false;
|
|
||||||
private Color _vertex_fill_color;
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 当图形是Line时,是否绘制辅助矩形框
|
|
||||||
/// </summary>
|
|
||||||
public bool IsDrawLineVirtualRect { get; set; } = false;
|
|
||||||
/// <summary>
|
|
||||||
/// 画Line时辅助矩形的宽度
|
|
||||||
/// </summary>
|
|
||||||
public float LineVirtualRectWidth = 40;
|
|
||||||
public PointF[] LineVirtualRectPoints = new PointF[4];
|
|
||||||
|
|
||||||
|
|
||||||
public FlyShape()
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private PointF ScalePoint(PointF point)
|
|
||||||
{
|
|
||||||
return point;
|
|
||||||
|
|
||||||
//return new PointF(
|
|
||||||
// (float)(point.X * scale),
|
|
||||||
// (float)(point.Y * scale));
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public void Close()
|
|
||||||
{
|
|
||||||
this._closed = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void AddPoint(PointF point, int label = 1)
|
|
||||||
{
|
|
||||||
if (_points != null && _points.Count > 0 && point.Equals(_points.ElementAt(0)))
|
|
||||||
{
|
|
||||||
Close();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
if (_points.Count > 0 && this[-1].Equals(point))
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
_points.Add(point);
|
|
||||||
point_labels.Add(label);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public bool CanAddPoint()
|
|
||||||
{
|
|
||||||
return ShapeType == ShapeTypeEnum.Polygon
|
|
||||||
|| ShapeType == ShapeTypeEnum.LineStrip;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public PointF? PopPoint()
|
|
||||||
{
|
|
||||||
if (_points != null && _points.Count > 0)
|
|
||||||
{
|
|
||||||
if (point_labels != null && point_labels.Count > 0)
|
|
||||||
{
|
|
||||||
point_labels.RemoveAt(point_labels.Count - 1);
|
|
||||||
}
|
|
||||||
|
|
||||||
PointF lastPoint = _points[_points.Count - 1];
|
|
||||||
_points.RemoveAt(_points.Count - 1);
|
|
||||||
return lastPoint;
|
|
||||||
}
|
|
||||||
return null;
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public void InsertPoint(int i, PointF point, int label = 1)
|
|
||||||
{
|
|
||||||
_points.Insert(i, point);
|
|
||||||
point_labels.Insert(i, label);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void RemovePoint(int i)
|
|
||||||
{
|
|
||||||
if (!CanAddPoint())
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (ShapeType == ShapeTypeEnum.Polygon && _points.Count <= 3)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
else if (ShapeType == ShapeTypeEnum.LineStrip && _points.Count <= 2)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
_points.RemoveAt(_points.Count - 1);
|
|
||||||
point_labels.RemoveAt(point_labels.Count - 1);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public bool IsClosed() => _closed;
|
|
||||||
|
|
||||||
|
|
||||||
public void SetOpen() { _closed = false; }
|
|
||||||
|
|
||||||
|
|
||||||
#region 矩形辅助函数
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 矩形模式下,选中的点索引
|
|
||||||
/// </summary>
|
|
||||||
[JsonIgnore]
|
|
||||||
private int _rectSelectedVertex = -1;
|
|
||||||
[JsonIgnore]
|
|
||||||
private PointF _rectSelectedMoveVertex;
|
|
||||||
[JsonIgnore]
|
|
||||||
private PointF _rectCenterPoint;
|
|
||||||
|
|
||||||
[JsonIgnore]
|
|
||||||
private bool isVertexMoving;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 正在移动节点
|
|
||||||
/// </summary>
|
|
||||||
[JsonIgnore]
|
|
||||||
public bool IsVertexMoving
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return isVertexMoving;
|
|
||||||
}
|
|
||||||
internal set
|
|
||||||
{
|
|
||||||
//float centerX = (_points[0].X + _points[2].X) / 2f;
|
|
||||||
//float centerY = (_points[0].Y + _points[2].Y) / 2f;
|
|
||||||
//_rectCenterVertex = new PointF(centerX, centerY);
|
|
||||||
isVertexMoving = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
//private PointF[] TransformPoints(List<PointF> points, PointF center, float angle)
|
|
||||||
//{
|
|
||||||
// PointF[] ptsArray = points.ToArray();
|
|
||||||
// using (Matrix matrix = new Matrix())
|
|
||||||
// {
|
|
||||||
// matrix.RotateAt(angle, center);
|
|
||||||
// matrix.TransformPoints(ptsArray);
|
|
||||||
// }
|
|
||||||
// return ptsArray;
|
|
||||||
//}
|
|
||||||
//GraphicsPath vrtx_path = new GraphicsPath();
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
|
|
||||||
public void Paint(Graphics painter)
|
|
||||||
{
|
|
||||||
if (_points == null || _points.Count == 0)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
Color color = Selected ? select_line_color : line_color;
|
|
||||||
using Pen pen = new Pen(color, LineWidth);
|
|
||||||
|
|
||||||
// Create paths
|
|
||||||
GraphicsPath line_path = new GraphicsPath();
|
|
||||||
GraphicsPath vrtx_path = new GraphicsPath();
|
|
||||||
GraphicsPath guide_vrtx_path = new GraphicsPath();
|
|
||||||
|
|
||||||
switch (ShapeType)
|
|
||||||
{
|
|
||||||
//case ShapeTypeEnum.Rectangle:
|
|
||||||
// {
|
|
||||||
// if (_points.Count == 2)
|
|
||||||
// {
|
|
||||||
// float centerX = (_points[0].X + _points[1].X) / 2f;
|
|
||||||
// float centerY = (_points[0].Y + _points[1].Y) / 2f;
|
|
||||||
// _rectCenterPoint = new PointF(centerX, centerY);
|
|
||||||
|
|
||||||
|
|
||||||
// line_path.StartFigure();
|
|
||||||
|
|
||||||
// if (_points[1].X < _points[0].X)
|
|
||||||
// {
|
|
||||||
// _points[1] = new PointF(_points[0].X + LineWidth / 2f, _points[1].Y);
|
|
||||||
// }
|
|
||||||
// if (_points[1].Y < _points[0].Y)
|
|
||||||
// {
|
|
||||||
// _points[1] = new PointF(_points[1].X, _points[0].Y + LineWidth / 2f);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// //float x = Math.Min(_points[0].X, _points[1].X);
|
|
||||||
// //float y = Math.Min(_points[0].Y, _points[1].Y);
|
|
||||||
|
|
||||||
// float w = Math.Abs(ScalePoint(_points[1]).X - ScalePoint(_points[0]).X);
|
|
||||||
// float h = Math.Abs(ScalePoint(_points[1]).Y - ScalePoint(_points[0]).Y);
|
|
||||||
|
|
||||||
// RectangleF drawRect = new(new PointF(_points[0].X, _points[0].Y), new SizeF(w, h));
|
|
||||||
|
|
||||||
// bool bRotated = false;
|
|
||||||
// NomalizeRotateAngle();
|
|
||||||
|
|
||||||
// Matrix oMatrix = null;
|
|
||||||
|
|
||||||
// if (_currentRotateAngle > 0)
|
|
||||||
// {
|
|
||||||
// // Create rotation matrix
|
|
||||||
// oMatrix = new Matrix();
|
|
||||||
// oMatrix.RotateAt(_currentRotateAngle, _rectCenterPoint, MatrixOrder.Append);
|
|
||||||
// painter.Transform = oMatrix;
|
|
||||||
// bRotated = true;
|
|
||||||
// }
|
|
||||||
// //Store rectangle region
|
|
||||||
// //Region _drawRectRegion = new Region(drawRect);
|
|
||||||
// if (oMatrix != null)
|
|
||||||
// line_path.Transform(oMatrix);
|
|
||||||
|
|
||||||
|
|
||||||
// line_path.AddRectangle(drawRect);
|
|
||||||
|
|
||||||
|
|
||||||
// // Reset transform
|
|
||||||
// if (bRotated)
|
|
||||||
// {
|
|
||||||
// bRotated = false;
|
|
||||||
// painter.ResetTransform();
|
|
||||||
// }
|
|
||||||
// //_matrix.Reset();
|
|
||||||
// //_matrix.RotateAt(_currentRotateAngle, new PointF(
|
|
||||||
// // (_points[0].X + _points[1].X) / 2,
|
|
||||||
// // (_points[0].Y + _points[1].Y) / 2));
|
|
||||||
// //line_path.Transform(_matrix);
|
|
||||||
|
|
||||||
|
|
||||||
// //line_path.AddPolygon(_pointsRaw.ToArray());
|
|
||||||
|
|
||||||
// }
|
|
||||||
|
|
||||||
// if (_regionVertex.Length != _points.Count)
|
|
||||||
// {
|
|
||||||
// _regionVertex = new Region[_points.Count];
|
|
||||||
// }
|
|
||||||
|
|
||||||
|
|
||||||
// for (int i = 0; i < _points.Count; i++)
|
|
||||||
// {
|
|
||||||
// DrawVertex(vrtx_path, i);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// vrtx_path.Transform(_matrix);
|
|
||||||
|
|
||||||
// }
|
|
||||||
|
|
||||||
// break;
|
|
||||||
case ShapeTypeEnum.Rectangle:
|
|
||||||
{
|
|
||||||
if (_points.Count == 2)
|
|
||||||
{
|
|
||||||
float centerX = (_points[0].X + _points[1].X) / 2f;
|
|
||||||
float centerY = (_points[0].Y + _points[1].Y) / 2f;
|
|
||||||
_rectCenterPoint = new PointF(centerX, centerY);
|
|
||||||
|
|
||||||
line_path.StartFigure();
|
|
||||||
|
|
||||||
if (_points[1].X < _points[0].X)
|
|
||||||
{
|
|
||||||
_points[1] = new PointF(_points[0].X + LineWidth / 2f, _points[1].Y);
|
|
||||||
}
|
|
||||||
if (_points[1].Y < _points[0].Y)
|
|
||||||
{
|
|
||||||
_points[1] = new PointF(_points[1].X, _points[0].Y + LineWidth / 2f);
|
|
||||||
}
|
|
||||||
|
|
||||||
float w = Math.Abs(ScalePoint(_points[1]).X - ScalePoint(_points[0]).X);
|
|
||||||
float h = Math.Abs(ScalePoint(_points[1]).Y - ScalePoint(_points[0]).Y);
|
|
||||||
|
|
||||||
RectangleF drawRect = new(new PointF(_points[0].X, _points[0].Y), new SizeF(w, h));
|
|
||||||
|
|
||||||
line_path.AddRectangle(drawRect);
|
|
||||||
|
|
||||||
_matrix.Reset();
|
|
||||||
_matrix.RotateAt(_currentRotateAngle, _rectCenterPoint); // 使用更新后的旋转角度
|
|
||||||
line_path.Transform(_matrix);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (_regionVertex.Length != _points.Count)
|
|
||||||
{
|
|
||||||
_regionVertex = new Region[_points.Count];
|
|
||||||
}
|
|
||||||
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
DrawVertex1(vrtx_path, i);
|
|
||||||
}
|
|
||||||
|
|
||||||
vrtx_path.Transform(_matrix);
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Circle:
|
|
||||||
{
|
|
||||||
if (_points.Count == 2)
|
|
||||||
{
|
|
||||||
float radius = PointHelper.Distance(ScalePoint(_points[0]), ScalePoint(_points[1]));
|
|
||||||
line_path.AddEllipse(
|
|
||||||
ScalePoint(_points[0]).X - radius,
|
|
||||||
ScalePoint(_points[0]).Y - radius,
|
|
||||||
radius * 2,
|
|
||||||
radius * 2);
|
|
||||||
}
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
DrawVertex(vrtx_path, i);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
|
|
||||||
case ShapeTypeEnum.LineStrip:
|
|
||||||
{
|
|
||||||
line_path.StartFigure();
|
|
||||||
line_path.AddLine(ScalePoint(_points[0]), ScalePoint(_points[0]));
|
|
||||||
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
PointF pt = _points[i];
|
|
||||||
line_path.AddLine(ScalePoint(pt), ScalePoint(pt));
|
|
||||||
DrawVertex(vrtx_path, i);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
{
|
|
||||||
// 添加框线到路径
|
|
||||||
var tmpPoints = _points.Select(p => ScalePoint(p)).ToList();
|
|
||||||
line_path.AddLines(tmpPoints.ToArray());
|
|
||||||
|
|
||||||
if (IsDrawLineVirtualRect && tmpPoints.Count == 2)
|
|
||||||
{
|
|
||||||
var center = new PointF((tmpPoints[0].X + tmpPoints[1].X) / 2,
|
|
||||||
(tmpPoints[0].Y + tmpPoints[1].Y) / 2);
|
|
||||||
|
|
||||||
// 计算两点之间的角度
|
|
||||||
float dx = tmpPoints[1].X - tmpPoints[0].X;
|
|
||||||
float dy = tmpPoints[1].Y - tmpPoints[0].Y;
|
|
||||||
float distance = PointHelper.Distance(tmpPoints[0], tmpPoints[1]);
|
|
||||||
double angle = Math.Atan2(dy, dx) * (180.0 / Math.PI); // 转换为度数
|
|
||||||
|
|
||||||
float l = center.X - distance / 2;
|
|
||||||
float t = center.Y - LineVirtualRectWidth / 2;
|
|
||||||
float r = center.X + distance / 2;
|
|
||||||
float b = center.Y + LineVirtualRectWidth / 2;
|
|
||||||
|
|
||||||
PointF ptLT = new PointF(l, t);
|
|
||||||
PointF ptRT = new PointF(r, t);
|
|
||||||
PointF ptRB = new PointF(r, b);
|
|
||||||
PointF ptLB = new PointF(l, b);
|
|
||||||
#if false
|
|
||||||
RectangleF rect = new RectangleF(ptLT, new SizeF(distance, LineVirtualRectWidth));
|
|
||||||
|
|
||||||
GraphicsPath rectPath = new GraphicsPath();
|
|
||||||
rectPath.AddRectangle(rect);
|
|
||||||
|
|
||||||
//// 设置矩阵以进行旋转和位移
|
|
||||||
Matrix matrix = new Matrix();
|
|
||||||
matrix.RotateAt((float)angle, center); // 旋转
|
|
||||||
|
|
||||||
// 应用变换
|
|
||||||
rectPath.Transform(matrix);
|
|
||||||
// 画框线
|
|
||||||
painter.DrawPath(pen, rectPath);
|
|
||||||
#else
|
|
||||||
RectangleF rect = new RectangleF(ptLT, new SizeF(distance, LineVirtualRectWidth));
|
|
||||||
|
|
||||||
LineVirtualRectPoints = new PointF[4] {
|
|
||||||
ptLT,ptRT,ptRB,ptLB
|
|
||||||
};
|
|
||||||
|
|
||||||
//// 设置矩阵以进行旋转和位移
|
|
||||||
Matrix matrix = new Matrix();
|
|
||||||
matrix.RotateAt((float)angle, center); // 旋转
|
|
||||||
matrix.TransformPoints(LineVirtualRectPoints);
|
|
||||||
|
|
||||||
GraphicsPath rectPath = new GraphicsPath();
|
|
||||||
rectPath.AddPolygon(LineVirtualRectPoints);
|
|
||||||
|
|
||||||
Pen rectpen = new Pen(Color.FromArgb(60, 0, 255, 0), 1);
|
|
||||||
|
|
||||||
// 画框线
|
|
||||||
painter.DrawPath(rectpen, rectPath);
|
|
||||||
|
|
||||||
#endif
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
// 添加节点到路径
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
DrawVertex(vrtx_path, i);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (IsClosed())
|
|
||||||
{
|
|
||||||
line_path.AddLine(ScalePoint(_points[0]), ScalePoint(_points[0]));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Polygon:
|
|
||||||
case ShapeTypeEnum.Point:
|
|
||||||
default:
|
|
||||||
{
|
|
||||||
// 添加多边形框线到路径
|
|
||||||
line_path.AddLines(_points.Select(p => ScalePoint(p)).ToArray());
|
|
||||||
|
|
||||||
// 添加节点到路径
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
DrawVertex(vrtx_path, i);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (IsClosed())
|
|
||||||
{
|
|
||||||
line_path.AddLine(ScalePoint(_points[0]), ScalePoint(_points[0]));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
#region 将点绘制到画布上
|
|
||||||
|
|
||||||
// 画框线
|
|
||||||
painter.DrawPath(pen, line_path);
|
|
||||||
|
|
||||||
// 填充节点
|
|
||||||
if (vrtx_path.PointCount > 0)
|
|
||||||
{
|
|
||||||
painter.DrawPath(pen, vrtx_path);
|
|
||||||
painter.FillPath(new SolidBrush(vertex_fill_color), vrtx_path);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
if (fill) // 是否填充多边形
|
|
||||||
{
|
|
||||||
Color fillColor = Selected ? select_fill_color : fill_color;
|
|
||||||
painter.FillPath(new SolidBrush(fillColor), line_path);
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private Region[] _regionVertex = new Region[] { };
|
|
||||||
|
|
||||||
private void DrawVertex1(GraphicsPath path, int i)
|
|
||||||
{
|
|
||||||
PointF pt = _points[i];
|
|
||||||
_regionVertex[i] = new Region(new RectangleF(
|
|
||||||
pt.X - _epsilon, pt.Y - _epsilon,
|
|
||||||
_epsilon * 2, _epsilon * 2));
|
|
||||||
|
|
||||||
// 将节点变换
|
|
||||||
PointF[] transformedPoint = new PointF[] { pt };
|
|
||||||
_matrix.TransformPoints(transformedPoint); // 变换节点位置
|
|
||||||
|
|
||||||
pt = transformedPoint[0]; // 获取变换后的节点位置
|
|
||||||
|
|
||||||
// 绘制节点
|
|
||||||
float d = point_size; // Point size
|
|
||||||
PointTypeEnum shape = point_type; // Point shape
|
|
||||||
PointF point = ScalePoint(pt);
|
|
||||||
|
|
||||||
if (i == _highlightIndex)
|
|
||||||
{
|
|
||||||
var setting = _highlightSettings[_highlightMode];
|
|
||||||
var size = setting.PointSize;
|
|
||||||
shape = setting.PointType;
|
|
||||||
d *= size; // Example for highlighting
|
|
||||||
}
|
|
||||||
|
|
||||||
if (_highlightIndex >= 0)
|
|
||||||
{
|
|
||||||
_vertex_fill_color = hvertex_fill_color;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_vertex_fill_color = vertex_fill_color;
|
|
||||||
}
|
|
||||||
|
|
||||||
switch (shape)
|
|
||||||
{
|
|
||||||
case PointTypeEnum.SQUARE:
|
|
||||||
path.AddRectangle(new RectangleF(point.X - d / 2, point.Y - d / 2, d, d));
|
|
||||||
break;
|
|
||||||
case PointTypeEnum.ROUND:
|
|
||||||
path.AddEllipse(point.X - d / 2, point.Y - d / 2, d, d);
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
throw new InvalidOperationException("Unsupported vertex shape");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
private void DrawVertex(GraphicsPath path, int i)
|
|
||||||
{
|
|
||||||
PointF pt = _points[i];
|
|
||||||
|
|
||||||
float d = point_size; // Point size
|
|
||||||
PointTypeEnum shape = point_type; // Point shape
|
|
||||||
PointF point = ScalePoint(pt);
|
|
||||||
|
|
||||||
if (i == _highlightIndex)
|
|
||||||
{
|
|
||||||
var setting = _highlightSettings[_highlightMode];
|
|
||||||
var size = setting.PointSize;
|
|
||||||
shape = setting.PointType;
|
|
||||||
d *= size; // Example for highlighting
|
|
||||||
}
|
|
||||||
|
|
||||||
if (_highlightIndex >= 0)
|
|
||||||
{
|
|
||||||
_vertex_fill_color = hvertex_fill_color;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_vertex_fill_color = vertex_fill_color;
|
|
||||||
}
|
|
||||||
|
|
||||||
switch (shape)
|
|
||||||
{
|
|
||||||
case PointTypeEnum.SQUARE:
|
|
||||||
path.AddRectangle(new RectangleF(point.X - d / 2, point.Y - d / 2, d, d));
|
|
||||||
break;
|
|
||||||
case PointTypeEnum.ROUND:
|
|
||||||
path.AddEllipse(point.X - d / 2, point.Y - d / 2, d, d);
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
throw new InvalidOperationException("Unsupported vertex shape");
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 查找离鼠标最近且距离小于阈值的节点
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="point">鼠标位置</param>
|
|
||||||
/// <param name="epsilon">阈值</param>
|
|
||||||
/// <returns>返回节点的索引</returns>
|
|
||||||
public int NearestVertex(PointF point, float epsilon = DFT_VTX_EPSILON)
|
|
||||||
{
|
|
||||||
switch (ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Rectangle:
|
|
||||||
{
|
|
||||||
|
|
||||||
for (int i = 0; i < _regionVertex.Length; i++)
|
|
||||||
{
|
|
||||||
if (_regionVertex[i] == null)
|
|
||||||
{
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
if (_regionVertex[i].IsVisible(point))
|
|
||||||
{
|
|
||||||
return i;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
{
|
|
||||||
_epsilon = epsilon;
|
|
||||||
float min_distance = float.MaxValue;
|
|
||||||
int min_i = -1;
|
|
||||||
|
|
||||||
PointF scaledPoint = new PointF(point.X * scale, point.Y * scale);
|
|
||||||
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
// 缩放顶点
|
|
||||||
PointF scaledVertex = new PointF(_points[i].X * scale, _points[i].Y * scale);
|
|
||||||
float dist = PointHelper.Distance(scaledVertex, scaledPoint);
|
|
||||||
|
|
||||||
// 检查距离是否在 epsilon 范围内
|
|
||||||
if (dist <= epsilon && dist < min_distance)
|
|
||||||
{
|
|
||||||
min_distance = dist;
|
|
||||||
min_i = i;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return min_i;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return -1;
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public int NearestEdge(PointF point, float epsilon)
|
|
||||||
{
|
|
||||||
float min_distance = float.MaxValue;
|
|
||||||
int post_i = -1;
|
|
||||||
|
|
||||||
PointF scaledPoint = new PointF(point.X * scale, point.Y * scale);
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
// 计算边的两个端点
|
|
||||||
PointF start = new PointF(this[i - 1].X * scale, this[i - 1].Y * scale);
|
|
||||||
PointF end = new PointF(this[i].X * scale, this[i].Y * scale);
|
|
||||||
|
|
||||||
// 计算到线段的距离
|
|
||||||
float dist = PointHelper.DistanceToLine(scaledPoint, start, end);
|
|
||||||
|
|
||||||
// 检查距离是否在 epsilon 范围内
|
|
||||||
if (dist <= epsilon && dist < min_distance)
|
|
||||||
{
|
|
||||||
min_distance = dist;
|
|
||||||
post_i = i;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return post_i;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public bool ContainsPoint(PointF point)
|
|
||||||
{
|
|
||||||
return MakePath().IsVisible(point);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private GraphicsPath MakePath()
|
|
||||||
{
|
|
||||||
GraphicsPath path = new GraphicsPath();
|
|
||||||
|
|
||||||
if (ShapeType == ShapeTypeEnum.Rectangle)
|
|
||||||
{
|
|
||||||
if (_points.Count == 2)
|
|
||||||
{
|
|
||||||
// 创建矩形路径
|
|
||||||
RectangleF rect = new RectangleF(
|
|
||||||
Math.Min(_points[0].X, _points[1].X),
|
|
||||||
Math.Min(_points[0].Y, _points[1].Y),
|
|
||||||
Math.Abs(_points[1].X - _points[0].X),
|
|
||||||
Math.Abs(_points[1].Y - _points[0].Y));
|
|
||||||
|
|
||||||
path.AddRectangle(rect);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else if (ShapeType == ShapeTypeEnum.Circle)
|
|
||||||
{
|
|
||||||
if (_points.Count == 2)
|
|
||||||
{
|
|
||||||
// 计算半径
|
|
||||||
float radius = PointHelper.Distance(_points[0], _points[1]);
|
|
||||||
path.AddEllipse(_points[0].X - radius, _points[0].Y - radius, radius * 2, radius * 2);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
// 处理多边形
|
|
||||||
path.StartFigure();
|
|
||||||
path.AddLine(_points[0], _points[1]);
|
|
||||||
|
|
||||||
for (int i = 2; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
path.AddLine(_points[i - 1], _points[i]);
|
|
||||||
}
|
|
||||||
path.CloseFigure(); // 结束图形
|
|
||||||
}
|
|
||||||
|
|
||||||
return path;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public RectangleF BoundingRect()
|
|
||||||
{
|
|
||||||
return MakePath().GetBounds();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public void MoveBy(PointF offset)
|
|
||||||
{
|
|
||||||
for (int i = 0; i < _points.Count; i++)
|
|
||||||
{
|
|
||||||
_points[i] = new PointF(_points[i].X + offset.X, _points[i].Y + offset.Y);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 移动特定顶点
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="index"></param>
|
|
||||||
/// <param name="offset"></param>
|
|
||||||
/// <exception cref="ArgumentOutOfRangeException"></exception>
|
|
||||||
public void MoveVertexBy(int index, PointF offset)
|
|
||||||
{
|
|
||||||
if (index >= 0 && index < _points.Count)
|
|
||||||
{
|
|
||||||
_rectSelectedVertex = index;
|
|
||||||
_rectSelectedMoveVertex = new PointF(_points[index].X, _points[index].Y);
|
|
||||||
_points[index] = new PointF(_points[index].X + offset.X, _points[index].Y + offset.Y);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
throw new ArgumentOutOfRangeException(nameof(index), "Index is out of range.");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void HighlightVertex(int i, HighlightModeEnum action)
|
|
||||||
{
|
|
||||||
this._highlightIndex = i;
|
|
||||||
this._highlightMode = action;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public void HighlightClear()
|
|
||||||
{
|
|
||||||
_highlightIndex = -1;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public FlyShape Copy()
|
|
||||||
{
|
|
||||||
var jsonStr = JsonConvert.SerializeObject(this);
|
|
||||||
FlyShape copyShp = JsonConvert.DeserializeObject<FlyShape>(jsonStr);
|
|
||||||
return copyShp;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public int Length => _points.Count();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public PointF this[int index]
|
|
||||||
{
|
|
||||||
|
|
||||||
get
|
|
||||||
{
|
|
||||||
if (index == -1)
|
|
||||||
{
|
|
||||||
return _points[_points.Count - 1];
|
|
||||||
}
|
|
||||||
return _points[index];
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (index == -1)
|
|
||||||
{
|
|
||||||
_points[_points.Count - 1] = value;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_points[index] = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void NomalizeRotateAngle()
|
|
||||||
{
|
|
||||||
if (_currentRotateAngle >= 360)
|
|
||||||
{
|
|
||||||
_currentRotateAngle %= 360;
|
|
||||||
}
|
|
||||||
else if (_currentRotateAngle < 0)
|
|
||||||
{
|
|
||||||
_currentRotateAngle = 360 - (-_currentRotateAngle % 360);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,45 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Shape
|
|
||||||
{
|
|
||||||
|
|
||||||
public enum PointTypeEnum
|
|
||||||
{
|
|
||||||
SQUARE = 0,
|
|
||||||
ROUND = 1,
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public enum HighlightModeEnum
|
|
||||||
{
|
|
||||||
MOVE_VERTEX = 0,
|
|
||||||
NEAR_VERTEX = 1,
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
[Serializable]
|
|
||||||
public class HighlightSetting
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
public float PointSize { get; set; }
|
|
||||||
|
|
||||||
|
|
||||||
public PointTypeEnum PointType { get; set; }
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public HighlightSetting(float pointSize, PointTypeEnum pointType)
|
|
||||||
{
|
|
||||||
this.PointSize = pointSize;
|
|
||||||
PointType = pointType;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
@ -1,22 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Canvas.Shape
|
|
||||||
{
|
|
||||||
public enum ShapeTypeEnum
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
Point,
|
|
||||||
Line,
|
|
||||||
Rectangle,
|
|
||||||
Circle,
|
|
||||||
Polygon,
|
|
||||||
LineStrip,
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
56
CanFly.Canvas/UI/FlyCanvas.Designer.cs
generated
56
CanFly.Canvas/UI/FlyCanvas.Designer.cs
generated
@ -1,56 +0,0 @@
|
|||||||
namespace CanFly.Canvas.UI
|
|
||||||
{
|
|
||||||
partial class FlyCanvas
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
///// <summary>
|
|
||||||
///// 清理所有正在使用的资源。
|
|
||||||
///// </summary>
|
|
||||||
///// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
//protected override void Dispose(bool disposing)
|
|
||||||
//{
|
|
||||||
// if (disposing && (components != null))
|
|
||||||
// {
|
|
||||||
// components.Dispose();
|
|
||||||
// }
|
|
||||||
// base.Dispose(disposing);
|
|
||||||
//}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
components = new System.ComponentModel.Container();
|
|
||||||
|
|
||||||
SuspendLayout();
|
|
||||||
|
|
||||||
//
|
|
||||||
// Canvas
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Margin = new Padding(2);
|
|
||||||
Name = "Canvas";
|
|
||||||
Size = new Size(96, 106);
|
|
||||||
SizeChanged += Canvas_SizeChanged;
|
|
||||||
KeyDown += FlyCanvas_KeyDown;
|
|
||||||
MouseDoubleClick += FlyCanvas_MouseDoubleClick;
|
|
||||||
MouseDown += FlyCanvas_MouseDown;
|
|
||||||
MouseMove += FlyCanvas_OnMouseMove;
|
|
||||||
MouseUp += FlyCanvas_MouseUp;
|
|
||||||
MouseWheel += FlyCanvas_MouseWheel;
|
|
||||||
|
|
||||||
ResumeLayout(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
}
|
|
File diff suppressed because it is too large
Load Diff
@ -1,676 +0,0 @@
|
|||||||
using HalconDotNet;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Drawing.Imaging;
|
|
||||||
using System.Runtime.ExceptionServices;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
|
|
||||||
namespace CanFly.Helper
|
|
||||||
{
|
|
||||||
public class HDevEngineTool : IDisposable
|
|
||||||
{
|
|
||||||
#region 常量
|
|
||||||
|
|
||||||
// path of external procedures
|
|
||||||
readonly string ProcedurePath = Environment.CurrentDirectory + "\\Vision\\";
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 成员变量
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 处理过程名
|
|
||||||
/// </summary>
|
|
||||||
public string ProcedureName;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// hdev程序启动引擎
|
|
||||||
/// </summary>
|
|
||||||
private readonly HDevEngine myEngine;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 过程载入工具 .hdvp
|
|
||||||
/// </summary>
|
|
||||||
private HDevProcedureCall procedureCall;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 程序运行是否成功
|
|
||||||
/// </summary>
|
|
||||||
public bool IsSuccessful { get; set; } = false;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 控制参数字典
|
|
||||||
/// </summary>
|
|
||||||
public Dictionary<string, HTuple> InputTupleDic { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 图形参数字典
|
|
||||||
/// </summary>
|
|
||||||
public Dictionary<string, HObject> InputImageDic { get; set; }
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 初始化
|
|
||||||
/// <summary>
|
|
||||||
/// 实例化 默认搜索路径为: 启动路径//Vision//
|
|
||||||
/// </summary>
|
|
||||||
public HDevEngineTool()
|
|
||||||
{
|
|
||||||
ProcedureName = "";
|
|
||||||
myEngine = new HDevEngine();
|
|
||||||
myEngine.SetProcedurePath(ProcedurePath);
|
|
||||||
|
|
||||||
InputImageDic = new Dictionary<string, HObject>();
|
|
||||||
InputTupleDic = new Dictionary<string, HTuple>();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 实例化
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="path">外部函数搜索路径</param>
|
|
||||||
public HDevEngineTool(string path)
|
|
||||||
{
|
|
||||||
myEngine = new HDevEngine();
|
|
||||||
myEngine.SetProcedurePath(path);
|
|
||||||
|
|
||||||
InputImageDic = new Dictionary<string, HObject>();
|
|
||||||
InputTupleDic = new Dictionary<string, HTuple>();
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设置函数运行所需参数
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="_tupleDictionary">控制参数</param>
|
|
||||||
/// <param name="_imageDictionary">图形参数</param>
|
|
||||||
public void SetDictionary(Dictionary<string, HTuple> _tupleDictionary, Dictionary<string, HObject> _imageDictionary)
|
|
||||||
{
|
|
||||||
InputTupleDic = _tupleDictionary;
|
|
||||||
InputImageDic = _imageDictionary;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 载入过程 .hdvp
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="procedureName">过程名</param>
|
|
||||||
public void LoadProcedure(string procedureName)
|
|
||||||
{
|
|
||||||
ProcedureName = procedureName;
|
|
||||||
try
|
|
||||||
{
|
|
||||||
HDevProcedure procedure = new HDevProcedure(procedureName);
|
|
||||||
procedureCall = new HDevProcedureCall(procedure);
|
|
||||||
}
|
|
||||||
catch (HDevEngineException Ex)
|
|
||||||
{
|
|
||||||
Trace.TraceInformation("HDevProgram {0} Load fail ,Error Line : {1}, Line number: {2}, Halcon error number : {3}", Ex.ProcedureName, Ex.LineText, Ex.LineNumber, Ex.HalconError);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 执行过程
|
|
||||||
/// </summary>
|
|
||||||
[HandleProcessCorruptedStateExceptions]
|
|
||||||
public bool RunProcedure(out string errorMsg, out int timeElasped)
|
|
||||||
{
|
|
||||||
//lock (_runLock)
|
|
||||||
{
|
|
||||||
errorMsg = "";
|
|
||||||
Stopwatch sw = new Stopwatch();
|
|
||||||
sw.Start();
|
|
||||||
try
|
|
||||||
{
|
|
||||||
foreach (KeyValuePair<string, HTuple> pair in InputTupleDic)
|
|
||||||
{
|
|
||||||
procedureCall.SetInputCtrlParamTuple(pair.Key, pair.Value);
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (KeyValuePair<string, HObject> pair in InputImageDic)
|
|
||||||
{
|
|
||||||
procedureCall.SetInputIconicParamObject(pair.Key, pair.Value);
|
|
||||||
}
|
|
||||||
|
|
||||||
procedureCall.Execute();
|
|
||||||
|
|
||||||
IsSuccessful = true;
|
|
||||||
}
|
|
||||||
catch (HDevEngineException ex)
|
|
||||||
{
|
|
||||||
IsSuccessful = false;
|
|
||||||
errorMsg = $"HDevProgram {ex.ProcedureName} Run fail , Line number: {ex.LineNumber}, Halcon error number : {ex.HalconError},ex:{ex.Message}";
|
|
||||||
}
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
sw.Stop();
|
|
||||||
timeElasped = (int)sw.ElapsedMilliseconds;
|
|
||||||
}
|
|
||||||
return IsSuccessful;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
object _runLock = new object();
|
|
||||||
/// <summary>
|
|
||||||
/// 执行过程
|
|
||||||
/// </summary>
|
|
||||||
public Tuple<bool, Dictionary<string, HTuple>, Dictionary<string, HObject>, string, int> RunProcedure(Dictionary<string, HTuple> inputHTupleDict, Dictionary<string, HObject> inputImgDict, List<string> outputHTuples = null, List<string> outputObjs = null)
|
|
||||||
{
|
|
||||||
lock (_runLock)
|
|
||||||
{
|
|
||||||
string errorMsg = "";
|
|
||||||
int timeElasped = 0;
|
|
||||||
bool result = false;
|
|
||||||
Dictionary<string, HTuple> outputHTupleDict = new Dictionary<string, HTuple>();
|
|
||||||
Dictionary<string, HObject> outputObjDict = new Dictionary<string, HObject>();
|
|
||||||
|
|
||||||
Stopwatch sw = new Stopwatch();
|
|
||||||
sw.Start();
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (inputHTupleDict != null && inputHTupleDict.Count > 0)
|
|
||||||
{
|
|
||||||
foreach (KeyValuePair<string, HTuple> pair in inputHTupleDict)
|
|
||||||
{
|
|
||||||
procedureCall.SetInputCtrlParamTuple(pair.Key, pair.Value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (InputImageDic != null && inputImgDict.Count > 0)
|
|
||||||
{
|
|
||||||
foreach (KeyValuePair<string, HObject> pair in inputImgDict)
|
|
||||||
{
|
|
||||||
procedureCall.SetInputIconicParamObject(pair.Key, pair.Value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
procedureCall.Execute();
|
|
||||||
|
|
||||||
result = true;
|
|
||||||
}
|
|
||||||
catch (HDevEngineException ex)
|
|
||||||
{
|
|
||||||
result = false;
|
|
||||||
errorMsg += $"HDevProgram {ex.ProcedureName} Run fail , Line number: {ex.LineNumber}, Halcon error number : {ex.HalconError},ex:{ex.Message}";
|
|
||||||
}
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
sw.Stop();
|
|
||||||
timeElasped = (int)sw.ElapsedMilliseconds;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (result)
|
|
||||||
{
|
|
||||||
if (outputHTuples != null && outputHTuples.Count > 0)
|
|
||||||
{
|
|
||||||
outputHTuples.ForEach(t =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
outputHTupleDict[t] = procedureCall.GetOutputCtrlParamTuple(t);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
result = false;
|
|
||||||
errorMsg += $"\r\n获取{t}结果异常:{ex.Message}";
|
|
||||||
|
|
||||||
outputHTupleDict[t] = null;
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
if (outputObjs != null && outputObjs.Count > 0)
|
|
||||||
{
|
|
||||||
outputObjs.ForEach(t =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
outputObjDict[t] = procedureCall.GetOutputIconicParamObject(t);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
result = false;
|
|
||||||
errorMsg += $"\r\n获取{t}结果异常:{ex.Message}";
|
|
||||||
|
|
||||||
outputObjDict[t] = null;
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Tuple<bool, Dictionary<string, HTuple>, Dictionary<string, HObject>, string, int> ret = new Tuple<bool, Dictionary<string, HTuple>, Dictionary<string, HObject>, string, int>(result, outputHTupleDict, outputObjDict, errorMsg, timeElasped);
|
|
||||||
return ret;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public HTuple GetResultTuple(string key)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (IsSuccessful)
|
|
||||||
{
|
|
||||||
return procedureCall.GetOutputCtrlParamTuple(key);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return new HTuple();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
return new HTuple();
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
public HObject GetResultObject(string key, bool ignoreError = false)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (ignoreError || IsSuccessful)
|
|
||||||
{
|
|
||||||
return procedureCall.GetOutputIconicParamObject(key);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return new HObject();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
return new HObject();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Dispose()
|
|
||||||
{
|
|
||||||
procedureCall?.Dispose();
|
|
||||||
myEngine?.Dispose();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static class HalconHelper
|
|
||||||
{
|
|
||||||
[DllImport("kernel32.dll", EntryPoint = "CopyMemory", SetLastError = false)]
|
|
||||||
public static extern void CopyMemory(IntPtr dest, IntPtr src, uint count);
|
|
||||||
|
|
||||||
public static HImage Convert8GrayBitmapToHImage(this Bitmap bmp)
|
|
||||||
{
|
|
||||||
HImage himage = new HImage();
|
|
||||||
try
|
|
||||||
{
|
|
||||||
//判断输入图像不为null
|
|
||||||
if (bmp == null)
|
|
||||||
{
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
{
|
|
||||||
//重绘himage
|
|
||||||
//HImage curImage = new HImage();
|
|
||||||
BitmapData bmpData = bmp.LockBits(new Rectangle(0, 0, bmp.Width, bmp.Height), ImageLockMode.ReadOnly, PixelFormat.Format8bppIndexed);
|
|
||||||
himage.GenImage1("byte", bmp.Width, bmp.Height, bmpData.Scan0);
|
|
||||||
bmp.UnlockBits(bmpData);
|
|
||||||
//himage = curImage;
|
|
||||||
}
|
|
||||||
return himage;
|
|
||||||
}
|
|
||||||
catch (Exception e)
|
|
||||||
{
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static Bitmap ConvertHImageToBitmap(this HObject hImage)
|
|
||||||
{
|
|
||||||
HOperatorSet.CountChannels(hImage, out HTuple chanels);
|
|
||||||
if (chanels.I == 1)
|
|
||||||
{
|
|
||||||
return hImage.ConvertHImageTo8GrayBitmap();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return hImage.ConvertHImageToRGBBitmap();
|
|
||||||
//return hImage.HObject2BitmapRGB();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static Bitmap HObject2BitmapRGB(this HObject hObject)
|
|
||||||
{
|
|
||||||
////获取图像尺寸
|
|
||||||
HTuple width0, height0, type, width, height;
|
|
||||||
//获取图像尺寸
|
|
||||||
HOperatorSet.GetImageSize(hObject, out width0, out height0);
|
|
||||||
// 创建交错格式图像
|
|
||||||
HOperatorSet.InterleaveChannels(hObject, out HObject InterImage, "argb", "match", 255); //"rgb", 4 * width0, 0 "argb", "match", 255
|
|
||||||
|
|
||||||
//获取交错格式图像指针
|
|
||||||
HOperatorSet.GetImagePointer1(InterImage, out HTuple Pointer, out type, out width, out height);
|
|
||||||
IntPtr ptr = Pointer;
|
|
||||||
//构建新Bitmap图像
|
|
||||||
Bitmap res32 = new Bitmap(width / 4, height, width, PixelFormat.Format32bppArgb, ptr); // Format32bppArgb Format24bppRgb
|
|
||||||
|
|
||||||
//32位Bitmap转24位
|
|
||||||
var res24 = new Bitmap(res32.Width, res32.Height, PixelFormat.Format24bppRgb);
|
|
||||||
Graphics graphics = Graphics.FromImage(res24);
|
|
||||||
graphics.DrawImage(res32, new Rectangle(0, 0, res32.Width, res32.Height));
|
|
||||||
|
|
||||||
return res24;
|
|
||||||
}
|
|
||||||
|
|
||||||
public static Bitmap ConvertHImageTo8GrayBitmap(this HObject hImage)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
HTuple type, width, height, pointer;
|
|
||||||
HOperatorSet.GetImagePointer1(hImage, out pointer, out type, out width, out height);
|
|
||||||
|
|
||||||
Bitmap bmp = new Bitmap(width.I, height.I, PixelFormat.Format8bppIndexed);
|
|
||||||
ColorPalette pal = bmp.Palette;
|
|
||||||
for (int i = 0; i <= 255; i++)
|
|
||||||
{
|
|
||||||
pal.Entries[i] = Color.FromArgb(255, i, i, i);
|
|
||||||
}
|
|
||||||
bmp.Palette = pal;
|
|
||||||
|
|
||||||
BitmapData bitmapData = bmp.LockBits(new Rectangle(0, 0, width, height), ImageLockMode.WriteOnly, PixelFormat.Format8bppIndexed);
|
|
||||||
|
|
||||||
if (width % 4 == 0)
|
|
||||||
{
|
|
||||||
CopyMemory(bitmapData.Scan0, (IntPtr)pointer.D, (uint)(bitmapData.Stride * height.I));
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
Parallel.For(0, height.I, h =>
|
|
||||||
{
|
|
||||||
CopyMemory(bitmapData.Scan0 + h * bitmapData.Stride, (IntPtr)(pointer.D + h * width.I), (uint)width.I);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
bmp.UnlockBits(bitmapData);
|
|
||||||
return bmp;
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static Bitmap ConvertHImageToRGBBitmap(this HObject hImage)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
HOperatorSet.GetImagePointer3(hImage, out HTuple pointRed, out HTuple pointGreen, out HTuple pointBlue, out HTuple type, out HTuple width, out HTuple height);
|
|
||||||
Bitmap image = new Bitmap(width.I, height.I, PixelFormat.Format24bppRgb);
|
|
||||||
BitmapData imageData = image.LockBits(new Rectangle(0, 0, width.I, height.I), ImageLockMode.ReadWrite, image.PixelFormat);
|
|
||||||
IntPtr pR = (IntPtr)pointRed.D;
|
|
||||||
IntPtr pG = (IntPtr)pointGreen.D;
|
|
||||||
IntPtr pB = (IntPtr)pointBlue.D;
|
|
||||||
Parallel.For(0, imageData.Height, h =>
|
|
||||||
{
|
|
||||||
Parallel.For(0, imageData.Width, w =>
|
|
||||||
{
|
|
||||||
int dest = h * imageData.Stride + w * 3;
|
|
||||||
int source = h * imageData.Width + w;
|
|
||||||
|
|
||||||
Marshal.WriteByte(imageData.Scan0, dest, Marshal.ReadByte(pB, source));
|
|
||||||
Marshal.WriteByte(imageData.Scan0, dest + 1, Marshal.ReadByte(pG, source));
|
|
||||||
Marshal.WriteByte(imageData.Scan0, dest + 2, Marshal.ReadByte(pR, source));
|
|
||||||
});
|
|
||||||
});
|
|
||||||
|
|
||||||
image.UnlockBits(imageData);
|
|
||||||
return image;
|
|
||||||
}
|
|
||||||
catch (Exception exc)
|
|
||||||
{
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static Bitmap ConvertHImageTo16GrayBitmap(this HImage originHImage)
|
|
||||||
{
|
|
||||||
//IntPtr pointer = hImage.GetImagePointer1(out string type, out int width, out int height);
|
|
||||||
|
|
||||||
//int widthIn4 = (int)Math.Ceiling(width / 4.0) * 4;
|
|
||||||
|
|
||||||
////Bitmap bmp = new Bitmap(widthIn4, height, PixelFormat.Format48bppRgb);
|
|
||||||
//Bitmap showImage = new Bitmap(widthIn4, height, PixelFormat.Format48bppRgb);
|
|
||||||
|
|
||||||
//Rectangle rect = new Rectangle(0, 0, widthIn4, height);
|
|
||||||
////BitmapData bitmapData = bmp.LockBits(rect, ImageLockMode.WriteOnly, PixelFormat.Format48bppRgb);
|
|
||||||
//BitmapData showImageData = showImage.LockBits(rect, ImageLockMode.WriteOnly, PixelFormat.Format48bppRgb);
|
|
||||||
//unsafe
|
|
||||||
//{
|
|
||||||
// byte* data = (byte*)pointer;
|
|
||||||
// //byte* bitmapBuffer = (byte*)bitmapData.Scan0;
|
|
||||||
// byte* showBitmapBuffer = (byte*)showImageData.Scan0;
|
|
||||||
|
|
||||||
// Parallel.For(0, width * height, i =>
|
|
||||||
// {
|
|
||||||
// int index = (i + 1) % width + widthIn4 * ((int)Math.Floor((double)(i + 1) / width)) - 1;
|
|
||||||
|
|
||||||
// //showBitmapBuffer[index * 6] = bitmapBuffer[index * 6] = data[i * 2];
|
|
||||||
// //showBitmapBuffer[index * 6 + 1] = bitmapBuffer[index * 6 + 1] = data[i * 2 + 1];
|
|
||||||
// showBitmapBuffer[index * 6] = data[i * 2];
|
|
||||||
// showBitmapBuffer[index * 6 + 1] = data[i * 2 + 1];
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
////bmp.UnlockBits(bitmapData);
|
|
||||||
//showImage.UnlockBits(showImageData);
|
|
||||||
|
|
||||||
//return showImage;
|
|
||||||
|
|
||||||
// dev_set_draw('margin')
|
|
||||||
//read_image(Image, '0.tif')
|
|
||||||
|
|
||||||
HImage hImage = originHImage.Clone();
|
|
||||||
|
|
||||||
//* 如果16位图像非常暗的话,建议在这一步进行提亮,因为后面8位图像大幅度提亮易造成色阶断裂,出现不连续的像素块
|
|
||||||
// * scale_image(Image, Image, 25, 0)
|
|
||||||
//hImage = hImage.ScaleImage(25.0, 0.0);
|
|
||||||
|
|
||||||
//get_domain(Image, rectangle)
|
|
||||||
//* 获取全图中像素灰度值的最大和最小值
|
|
||||||
//min_max_gray(rectangle, Image, 0, Min, Max, range)
|
|
||||||
hImage.MinMaxGray(hImage.GetDomain(), 0, out double min, out double max, out double range);
|
|
||||||
|
|
||||||
//* 将16位图的灰度值映射到0 - 255上
|
|
||||||
double mult = 255.0 / (max - min);
|
|
||||||
double add = -mult * min;
|
|
||||||
hImage = hImage.ScaleImage(mult, add);
|
|
||||||
|
|
||||||
//* 转换为'byte'类型
|
|
||||||
//convert_image_type(Image_scaled, ImageConverted, 'byte')
|
|
||||||
hImage = hImage.ConvertImageType("byte");
|
|
||||||
|
|
||||||
Bitmap showImage = hImage.ConvertHImageTo8GrayBitmap();
|
|
||||||
|
|
||||||
hImage.Dispose();
|
|
||||||
|
|
||||||
return showImage;
|
|
||||||
|
|
||||||
//* 如果转换以后图像整体对比度太低的话,可以提高对比度(这里是对8位图像处理)
|
|
||||||
//Min:= 20
|
|
||||||
//Max:= 160
|
|
||||||
//Mult:= 255.0 / (Max - Min)
|
|
||||||
//Add:= -Mult * Min
|
|
||||||
//scale_image(ImageConverted, ImageConverted_scaled, Mult, Add)
|
|
||||||
}
|
|
||||||
|
|
||||||
public static List<double> HTupleToDouble(this HTuple tuple)
|
|
||||||
{
|
|
||||||
List<double> list = new List<double>();
|
|
||||||
|
|
||||||
for (int i = 0; i < tuple.Length; i++)
|
|
||||||
{
|
|
||||||
list.Add(tuple[i].D);
|
|
||||||
}
|
|
||||||
|
|
||||||
return list;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public static HImage ConvertHObjectToHImage(this HObject obj)
|
|
||||||
{
|
|
||||||
HOperatorSet.CountChannels(obj, out HTuple channels);
|
|
||||||
|
|
||||||
HImage img = new HImage();
|
|
||||||
if (channels.I == 1)
|
|
||||||
{
|
|
||||||
HTuple pointer, type, width, height;
|
|
||||||
HOperatorSet.GetImagePointer1(obj, out pointer, out type, out width, out height);
|
|
||||||
|
|
||||||
img.GenImage1(type, width, height, pointer);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
HTuple pRed, pGreen, pBlue, type, width, height;
|
|
||||||
HOperatorSet.GetImagePointer3(obj, out pRed, out pGreen, out pBlue, out type, out width, out height);
|
|
||||||
|
|
||||||
img.GenImage3(type, width, height, pRed, pGreen, pBlue);
|
|
||||||
}
|
|
||||||
|
|
||||||
return img;
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 灰度图转换为伪彩图
|
|
||||||
public static Bitmap ConvertGrayImageToPesudoColorfulImage(this HImage hImage, double max = 0, double min = 0, double zoom = 1, bool isShowHeightTip = false, int zResolution = 100000)
|
|
||||||
{
|
|
||||||
hImage.GetImageSize(out int width, out int height);
|
|
||||||
hImage.MinMaxGray(new HRegion(0.0, 0.0, width, height), 3, out HTuple roiMin, out HTuple roiMax, out _);
|
|
||||||
|
|
||||||
if (max == 0)
|
|
||||||
{
|
|
||||||
max = roiMax;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (min == 0)
|
|
||||||
{
|
|
||||||
min = roiMin;
|
|
||||||
}
|
|
||||||
|
|
||||||
double mult = 235 / (zoom * (max - min));
|
|
||||||
double add = (0 - mult) * min * zoom + 10;
|
|
||||||
HOperatorSet.ScaleImage(hImage, out HObject imageScaled, mult, add);
|
|
||||||
HOperatorSet.ConvertImageType(imageScaled, out imageScaled, "byte");
|
|
||||||
Stopwatch sw = new Stopwatch();
|
|
||||||
sw.Start();
|
|
||||||
|
|
||||||
HOperatorSet.GetImagePointer1(imageScaled, out HTuple pointer, out HTuple type, out _, out _);
|
|
||||||
Bitmap bitmap = new Bitmap(width, height, PixelFormat.Format24bppRgb);
|
|
||||||
BitmapData bitmapData = bitmap.LockBits(new Rectangle(0, 0, width, height), ImageLockMode.ReadWrite, bitmap.PixelFormat);
|
|
||||||
|
|
||||||
unsafe
|
|
||||||
{
|
|
||||||
byte* data = (byte*)(IntPtr)pointer;
|
|
||||||
byte* bitmapDataBuff = (byte*)bitmapData.Scan0;
|
|
||||||
|
|
||||||
if (width % 4 != 0)
|
|
||||||
{
|
|
||||||
Parallel.For(0, height, h =>
|
|
||||||
{
|
|
||||||
Parallel.For(0, width, w =>
|
|
||||||
{
|
|
||||||
byte gray = data[h * width + w];
|
|
||||||
byte[] convertBytes = ConvertByteToColorfulArray(gray);
|
|
||||||
|
|
||||||
Marshal.Copy(convertBytes, 0, (IntPtr)(bitmapDataBuff + h * bitmapData.Stride + w * 3), 3);
|
|
||||||
});
|
|
||||||
});
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
Parallel.For(0, width * height, i =>
|
|
||||||
{
|
|
||||||
byte gray = data[i];
|
|
||||||
byte[] convertBytes = ConvertByteToColorfulArray(gray);
|
|
||||||
|
|
||||||
Marshal.Copy(convertBytes, 0, (IntPtr)(bitmapDataBuff + i * 3), 3);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
bitmap.UnlockBits(bitmapData);
|
|
||||||
|
|
||||||
if (isShowHeightTip)
|
|
||||||
{
|
|
||||||
List<byte> lableList = new List<byte>() { 5, 30, 60, 90, 120, 150, 180, 210, 240, 255 };
|
|
||||||
Dictionary<double, Color> lableColorDict = lableList.ToDictionary(
|
|
||||||
u => (u - add) / (mult * zResolution),
|
|
||||||
u =>
|
|
||||||
{
|
|
||||||
byte[] colorBytes = ConvertByteToColorfulArray(u);
|
|
||||||
return Color.FromArgb(colorBytes[2], colorBytes[1], colorBytes[0]);
|
|
||||||
});
|
|
||||||
|
|
||||||
using (Graphics g = Graphics.FromImage(bitmap))
|
|
||||||
{
|
|
||||||
int rectHeight = (int)(bitmap.Height / (5.0 * lableColorDict.Count));
|
|
||||||
Font font = new Font("宋体", (int)(rectHeight * 0.75), GraphicsUnit.Pixel);
|
|
||||||
|
|
||||||
string lable = lableColorDict.ElementAt(0).Key.ToString("f3");
|
|
||||||
SizeF lableSize = g.MeasureString(lable, font);
|
|
||||||
int rectWidth = (int)(lableSize.Width * 1.5);
|
|
||||||
|
|
||||||
int startX = 0;
|
|
||||||
int startY = 0;
|
|
||||||
foreach (KeyValuePair<double, Color> pair in lableColorDict)
|
|
||||||
{
|
|
||||||
g.FillRectangle(new SolidBrush(pair.Value), startX, startY, rectWidth, rectHeight);
|
|
||||||
g.DrawString(pair.Key.ToString("f3"), font, new SolidBrush(Color.White), (float)(startX + (rectWidth - lableSize.Width) / 2.0), (float)(startY + (rectHeight - lableSize.Height) / 2.0));
|
|
||||||
|
|
||||||
startY += rectHeight;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
sw.Stop();
|
|
||||||
//LogAsync(DateTime.Now, EnumHelper.LogLevel.Information, $"转换耗时{sw.ElapsedMilliseconds}ms");
|
|
||||||
return bitmap;
|
|
||||||
}
|
|
||||||
|
|
||||||
private static byte[] ConvertByteToColorfulArray(byte gray)
|
|
||||||
{
|
|
||||||
byte[] bytes = new byte[3];
|
|
||||||
if (gray == 0)
|
|
||||||
{
|
|
||||||
bytes[2] = 255;
|
|
||||||
bytes[1] = 255;
|
|
||||||
bytes[0] = 255;
|
|
||||||
}
|
|
||||||
if (gray > 0 && gray <= 63)
|
|
||||||
{
|
|
||||||
bytes[2] = 0;
|
|
||||||
bytes[+1] = (byte)(254 - 4 * gray);
|
|
||||||
bytes[0] = 255;
|
|
||||||
}
|
|
||||||
if (gray >= 64 && gray <= 127)
|
|
||||||
{
|
|
||||||
bytes[2] = 0;
|
|
||||||
bytes[1] = (byte)(4 * gray - 254);
|
|
||||||
bytes[0] = (byte)(510 - 4 * gray);
|
|
||||||
}
|
|
||||||
if (gray >= 128 && gray <= 191)
|
|
||||||
{
|
|
||||||
bytes[2] = (byte)(4 * gray - 510);
|
|
||||||
bytes[1] = 255;
|
|
||||||
bytes[0] = 0;
|
|
||||||
}
|
|
||||||
if (gray >= 192 && gray <= 255)
|
|
||||||
{
|
|
||||||
bytes[2] = 255;
|
|
||||||
bytes[1] = (byte)(1022 - 4 * gray);
|
|
||||||
bytes[0] = 0;
|
|
||||||
}
|
|
||||||
|
|
||||||
return bytes;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,17 +0,0 @@
|
|||||||
namespace CanFly
|
|
||||||
{
|
|
||||||
//internal static class Program
|
|
||||||
//{
|
|
||||||
// /// <summary>
|
|
||||||
// /// The main entry point for the application.
|
|
||||||
// /// </summary>
|
|
||||||
// [STAThread]
|
|
||||||
// static void Main()
|
|
||||||
// {
|
|
||||||
// // To customize application configuration such as set high DPI settings or default font,
|
|
||||||
// // see https://aka.ms/applicationconfiguration.
|
|
||||||
// ApplicationConfiguration.Initialize();
|
|
||||||
// Application.Run(new FrmMain2());
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
}
|
|
73
CanFly/Properties/Resources.Designer.cs
generated
73
CanFly/Properties/Resources.Designer.cs
generated
@ -1,73 +0,0 @@
|
|||||||
//------------------------------------------------------------------------------
|
|
||||||
// <auto-generated>
|
|
||||||
// 此代码由工具生成。
|
|
||||||
// 运行时版本:4.0.30319.42000
|
|
||||||
//
|
|
||||||
// 对此文件的更改可能会导致不正确的行为,并且如果
|
|
||||||
// 重新生成代码,这些更改将会丢失。
|
|
||||||
// </auto-generated>
|
|
||||||
//------------------------------------------------------------------------------
|
|
||||||
|
|
||||||
namespace XKRS.CanFly.Properties {
|
|
||||||
using System;
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 一个强类型的资源类,用于查找本地化的字符串等。
|
|
||||||
/// </summary>
|
|
||||||
// 此类是由 StronglyTypedResourceBuilder
|
|
||||||
// 类通过类似于 ResGen 或 Visual Studio 的工具自动生成的。
|
|
||||||
// 若要添加或移除成员,请编辑 .ResX 文件,然后重新运行 ResGen
|
|
||||||
// (以 /str 作为命令选项),或重新生成 VS 项目。
|
|
||||||
[global::System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "17.0.0.0")]
|
|
||||||
[global::System.Diagnostics.DebuggerNonUserCodeAttribute()]
|
|
||||||
[global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()]
|
|
||||||
internal class Resources {
|
|
||||||
|
|
||||||
private static global::System.Resources.ResourceManager resourceMan;
|
|
||||||
|
|
||||||
private static global::System.Globalization.CultureInfo resourceCulture;
|
|
||||||
|
|
||||||
[global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")]
|
|
||||||
internal Resources() {
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 返回此类使用的缓存的 ResourceManager 实例。
|
|
||||||
/// </summary>
|
|
||||||
[global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)]
|
|
||||||
internal static global::System.Resources.ResourceManager ResourceManager {
|
|
||||||
get {
|
|
||||||
if (object.ReferenceEquals(resourceMan, null)) {
|
|
||||||
global::System.Resources.ResourceManager temp = new global::System.Resources.ResourceManager("XKRS.CanFly.Properties.Resources", typeof(Resources).Assembly);
|
|
||||||
resourceMan = temp;
|
|
||||||
}
|
|
||||||
return resourceMan;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 重写当前线程的 CurrentUICulture 属性,对
|
|
||||||
/// 使用此强类型资源类的所有资源查找执行重写。
|
|
||||||
/// </summary>
|
|
||||||
[global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)]
|
|
||||||
internal static global::System.Globalization.CultureInfo Culture {
|
|
||||||
get {
|
|
||||||
return resourceCulture;
|
|
||||||
}
|
|
||||||
set {
|
|
||||||
resourceCulture = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 查找 System.Drawing.Bitmap 类型的本地化资源。
|
|
||||||
/// </summary>
|
|
||||||
internal static System.Drawing.Bitmap Close {
|
|
||||||
get {
|
|
||||||
object obj = ResourceManager.GetObject("Close", resourceCulture);
|
|
||||||
return ((System.Drawing.Bitmap)(obj));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,124 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<assembly alias="System.Windows.Forms" name="System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" />
|
|
||||||
<data name="Close" type="System.Resources.ResXFileRef, System.Windows.Forms">
|
|
||||||
<value>..\Resources\Close.png;System.Drawing.Bitmap, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a</value>
|
|
||||||
</data>
|
|
||||||
</root>
|
|
Binary file not shown.
Before Width: | Height: | Size: 836 B |
Binary file not shown.
Before Width: | Height: | Size: 1.0 KiB |
117
CanFly/UI/BaseFrmGuide.Designer.cs
generated
117
CanFly/UI/BaseFrmGuide.Designer.cs
generated
@ -1,117 +0,0 @@
|
|||||||
namespace CanFly.UI
|
|
||||||
{
|
|
||||||
partial class BaseFrmGuide
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Required designer variable.
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Clean up any resources being used.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Windows Form Designer generated code
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Required method for Designer support - do not modify
|
|
||||||
/// the contents of this method with the code editor.
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
flowLayoutPanel = new FlowLayoutPanel();
|
|
||||||
pbLogo = new PictureBox();
|
|
||||||
lblTitle = new Label();
|
|
||||||
flowPanelContent = new FlowLayoutPanel();
|
|
||||||
panelMain = new Panel();
|
|
||||||
flowLayoutPanel.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)pbLogo).BeginInit();
|
|
||||||
panelMain.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// flowLayoutPanel
|
|
||||||
//
|
|
||||||
flowLayoutPanel.Controls.Add(pbLogo);
|
|
||||||
flowLayoutPanel.Controls.Add(lblTitle);
|
|
||||||
flowLayoutPanel.Dock = DockStyle.Top;
|
|
||||||
flowLayoutPanel.Location = new Point(0, 0);
|
|
||||||
flowLayoutPanel.Name = "flowLayoutPanel1";
|
|
||||||
flowLayoutPanel.Size = new Size(692, 36);
|
|
||||||
flowLayoutPanel.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// pbLogo
|
|
||||||
//
|
|
||||||
pbLogo.Location = new Point(3, 3);
|
|
||||||
pbLogo.Name = "pbLogo";
|
|
||||||
pbLogo.Size = new Size(30, 30);
|
|
||||||
pbLogo.SizeMode = PictureBoxSizeMode.StretchImage;
|
|
||||||
pbLogo.TabIndex = 0;
|
|
||||||
pbLogo.TabStop = false;
|
|
||||||
pbLogo.Visible = false;
|
|
||||||
//
|
|
||||||
// lblTitle
|
|
||||||
//
|
|
||||||
lblTitle.AutoSize = true;
|
|
||||||
lblTitle.Dock = DockStyle.Fill;
|
|
||||||
lblTitle.Font = new Font("Microsoft YaHei UI", 12F, FontStyle.Bold, GraphicsUnit.Point);
|
|
||||||
lblTitle.Location = new Point(39, 0);
|
|
||||||
lblTitle.Name = "lblTitle";
|
|
||||||
lblTitle.Size = new Size(20, 36);
|
|
||||||
lblTitle.TabIndex = 1;
|
|
||||||
lblTitle.Text = " ";
|
|
||||||
lblTitle.TextAlign = ContentAlignment.MiddleLeft;
|
|
||||||
//
|
|
||||||
// flowPanelContent
|
|
||||||
//
|
|
||||||
flowPanelContent.Dock = DockStyle.Fill;
|
|
||||||
flowPanelContent.Location = new Point(0, 0);
|
|
||||||
flowPanelContent.Name = "flowPanelContent";
|
|
||||||
flowPanelContent.Size = new Size(692, 511);
|
|
||||||
flowPanelContent.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// panelMain
|
|
||||||
//
|
|
||||||
panelMain.AutoScroll = true;
|
|
||||||
panelMain.Controls.Add(flowPanelContent);
|
|
||||||
panelMain.Dock = DockStyle.Fill;
|
|
||||||
panelMain.Location = new Point(0, 36);
|
|
||||||
panelMain.Name = "panelMain";
|
|
||||||
panelMain.Size = new Size(692, 511);
|
|
||||||
panelMain.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// BaseFrmGuide
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
ClientSize = new Size(692, 547);
|
|
||||||
Controls.Add(panelMain);
|
|
||||||
Controls.Add(flowLayoutPanel);
|
|
||||||
FormBorderStyle = FormBorderStyle.None;
|
|
||||||
Name = "BaseFrmGuide";
|
|
||||||
Text = "BaseFrmGuide";
|
|
||||||
Load += BaseFrmGuide_Load;
|
|
||||||
flowLayoutPanel.ResumeLayout(false);
|
|
||||||
flowLayoutPanel.PerformLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)pbLogo).EndInit();
|
|
||||||
panelMain.ResumeLayout(false);
|
|
||||||
ResumeLayout(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private FlowLayoutPanel flowLayoutPanel;
|
|
||||||
private PictureBox pbLogo;
|
|
||||||
private Label lblTitle;
|
|
||||||
protected FlowLayoutPanel flowPanelContent;
|
|
||||||
private Panel panelMain;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,53 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace CanFly.UI
|
|
||||||
{
|
|
||||||
public partial class BaseFrmGuide : Form
|
|
||||||
{
|
|
||||||
public BaseFrmGuide()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
// 处理 Panel 的大小变化事件,以动态更新控件宽度
|
|
||||||
panelMain.SizeChanged += PanelMain_SizeChanged; ;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void PanelMain_SizeChanged(object? sender, EventArgs e)
|
|
||||||
{
|
|
||||||
foreach (Control control in flowPanelContent.Controls)
|
|
||||||
{
|
|
||||||
control.Width = panelMain.Width - 6; // 根据 Panel 的宽度调整控件
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void SetTitle(string title)
|
|
||||||
{
|
|
||||||
this.lblTitle.Text = title;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void SetLogo(Image logo)
|
|
||||||
{
|
|
||||||
this.pbLogo.BackgroundImage = logo;
|
|
||||||
this.pbLogo.SizeMode = PictureBoxSizeMode.StretchImage;
|
|
||||||
this.pbLogo.Refresh();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void BaseFrmGuide_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
279
CanFly/UI/FrmMain.Designer.cs
generated
279
CanFly/UI/FrmMain.Designer.cs
generated
@ -1,279 +0,0 @@
|
|||||||
|
|
||||||
|
|
||||||
namespace CanFly
|
|
||||||
{
|
|
||||||
partial class FrmMain
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Required designer variable.
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Clean up any resources being used.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Windows Form Designer generated code
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Required method for Designer support - do not modify
|
|
||||||
/// the contents of this method with the code editor.
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(FrmMain));
|
|
||||||
panel1 = new Panel();
|
|
||||||
canvas = new Canvas.UI.FlyCanvas();
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
lblStatus = new ToolStripStatusLabel();
|
|
||||||
flowLayoutPanel1 = new FlowLayoutPanel();
|
|
||||||
btnLoadImage = new Button();
|
|
||||||
btnCreateCircle = new Button();
|
|
||||||
btnCreateRect = new Button();
|
|
||||||
btnStopDraw = new Button();
|
|
||||||
btnTestOutsideDraw = new Button();
|
|
||||||
btnTestClearDraw = new Button();
|
|
||||||
btnTestCircleMeasure = new Button();
|
|
||||||
btnTest = new Button();
|
|
||||||
splitContainer = new SplitContainer();
|
|
||||||
panelGuide = new Panel();
|
|
||||||
btnRotateTest = new Button();
|
|
||||||
panel1.SuspendLayout();
|
|
||||||
statusStrip1.SuspendLayout();
|
|
||||||
flowLayoutPanel1.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).BeginInit();
|
|
||||||
splitContainer.Panel1.SuspendLayout();
|
|
||||||
splitContainer.Panel2.SuspendLayout();
|
|
||||||
splitContainer.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
panel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panel1.Controls.Add(canvas);
|
|
||||||
panel1.Controls.Add(statusStrip1);
|
|
||||||
panel1.Dock = DockStyle.Fill;
|
|
||||||
panel1.Location = new Point(0, 0);
|
|
||||||
panel1.Name = "panel1";
|
|
||||||
panel1.Size = new Size(947, 791);
|
|
||||||
panel1.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// canvas
|
|
||||||
//
|
|
||||||
canvas.AllowMultiSelect = false;
|
|
||||||
canvas.CreateMode = Canvas.Shape.ShapeTypeEnum.Polygon;
|
|
||||||
canvas.Dock = DockStyle.Fill;
|
|
||||||
canvas.Enabled = false;
|
|
||||||
canvas.FillDrawing = false;
|
|
||||||
canvas.Location = new Point(0, 0);
|
|
||||||
canvas.Margin = new Padding(2);
|
|
||||||
canvas.Name = "canvas";
|
|
||||||
canvas.OutsideShapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.OutsideShapes");
|
|
||||||
canvas.Scale = 1F;
|
|
||||||
canvas.Shapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.Shapes");
|
|
||||||
canvas.Size = new Size(945, 767);
|
|
||||||
canvas.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Items.AddRange(new ToolStripItem[] { lblStatus });
|
|
||||||
statusStrip1.Location = new Point(0, 767);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(945, 22);
|
|
||||||
statusStrip1.TabIndex = 1;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// lblStatus
|
|
||||||
//
|
|
||||||
lblStatus.Name = "lblStatus";
|
|
||||||
lblStatus.Size = new Size(44, 17);
|
|
||||||
lblStatus.Text = " ";
|
|
||||||
//
|
|
||||||
// flowLayoutPanel1
|
|
||||||
//
|
|
||||||
flowLayoutPanel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
flowLayoutPanel1.Controls.Add(btnLoadImage);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnCreateCircle);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnCreateRect);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnStopDraw);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnTestOutsideDraw);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnTestClearDraw);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnTestCircleMeasure);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnTest);
|
|
||||||
flowLayoutPanel1.Controls.Add(btnRotateTest);
|
|
||||||
flowLayoutPanel1.Dock = DockStyle.Top;
|
|
||||||
flowLayoutPanel1.Location = new Point(0, 0);
|
|
||||||
flowLayoutPanel1.Name = "flowLayoutPanel1";
|
|
||||||
flowLayoutPanel1.Size = new Size(1185, 40);
|
|
||||||
flowLayoutPanel1.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// btnLoadImage
|
|
||||||
//
|
|
||||||
btnLoadImage.Location = new Point(3, 3);
|
|
||||||
btnLoadImage.Name = "btnLoadImage";
|
|
||||||
btnLoadImage.Size = new Size(75, 30);
|
|
||||||
btnLoadImage.TabIndex = 0;
|
|
||||||
btnLoadImage.Text = "加载图像";
|
|
||||||
btnLoadImage.UseVisualStyleBackColor = true;
|
|
||||||
btnLoadImage.Click += btnLoadImage_Click;
|
|
||||||
//
|
|
||||||
// btnCreateCircle
|
|
||||||
//
|
|
||||||
btnCreateCircle.Enabled = false;
|
|
||||||
btnCreateCircle.Location = new Point(84, 3);
|
|
||||||
btnCreateCircle.Name = "btnCreateCircle";
|
|
||||||
btnCreateCircle.Size = new Size(75, 30);
|
|
||||||
btnCreateCircle.TabIndex = 1;
|
|
||||||
btnCreateCircle.Text = "绘制圆形";
|
|
||||||
btnCreateCircle.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateCircle.Click += btnCreateCircle_Click;
|
|
||||||
//
|
|
||||||
// btnCreateRect
|
|
||||||
//
|
|
||||||
btnCreateRect.Location = new Point(165, 3);
|
|
||||||
btnCreateRect.Name = "btnCreateRect";
|
|
||||||
btnCreateRect.Size = new Size(75, 30);
|
|
||||||
btnCreateRect.TabIndex = 6;
|
|
||||||
btnCreateRect.Text = "绘制矩形";
|
|
||||||
btnCreateRect.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateRect.Click += btnCreateRect_Click;
|
|
||||||
//
|
|
||||||
// btnStopDraw
|
|
||||||
//
|
|
||||||
btnStopDraw.Enabled = false;
|
|
||||||
btnStopDraw.Location = new Point(246, 3);
|
|
||||||
btnStopDraw.Name = "btnStopDraw";
|
|
||||||
btnStopDraw.Size = new Size(75, 30);
|
|
||||||
btnStopDraw.TabIndex = 2;
|
|
||||||
btnStopDraw.Text = "停止绘制";
|
|
||||||
btnStopDraw.UseVisualStyleBackColor = true;
|
|
||||||
btnStopDraw.Click += btnStopDraw_Click;
|
|
||||||
//
|
|
||||||
// btnTestOutsideDraw
|
|
||||||
//
|
|
||||||
btnTestOutsideDraw.Location = new Point(327, 3);
|
|
||||||
btnTestOutsideDraw.Name = "btnTestOutsideDraw";
|
|
||||||
btnTestOutsideDraw.Size = new Size(75, 30);
|
|
||||||
btnTestOutsideDraw.TabIndex = 3;
|
|
||||||
btnTestOutsideDraw.Text = "测试绘图";
|
|
||||||
btnTestOutsideDraw.UseVisualStyleBackColor = true;
|
|
||||||
btnTestOutsideDraw.Click += btnTestOutsideDraw_Click;
|
|
||||||
//
|
|
||||||
// btnTestClearDraw
|
|
||||||
//
|
|
||||||
btnTestClearDraw.Location = new Point(408, 3);
|
|
||||||
btnTestClearDraw.Name = "btnTestClearDraw";
|
|
||||||
btnTestClearDraw.Size = new Size(75, 30);
|
|
||||||
btnTestClearDraw.TabIndex = 4;
|
|
||||||
btnTestClearDraw.Text = "清除绘图";
|
|
||||||
btnTestClearDraw.UseVisualStyleBackColor = true;
|
|
||||||
btnTestClearDraw.Click += btnTestClearDraw_Click;
|
|
||||||
//
|
|
||||||
// btnTestCircleMeasure
|
|
||||||
//
|
|
||||||
btnTestCircleMeasure.Location = new Point(489, 3);
|
|
||||||
btnTestCircleMeasure.Name = "btnTestCircleMeasure";
|
|
||||||
btnTestCircleMeasure.Size = new Size(89, 30);
|
|
||||||
btnTestCircleMeasure.TabIndex = 5;
|
|
||||||
btnTestCircleMeasure.Text = "测试圆形算法";
|
|
||||||
btnTestCircleMeasure.UseVisualStyleBackColor = true;
|
|
||||||
btnTestCircleMeasure.Click += btnTestCircleMeasure_Click;
|
|
||||||
//
|
|
||||||
// btnTest
|
|
||||||
//
|
|
||||||
btnTest.Location = new Point(584, 3);
|
|
||||||
btnTest.Name = "btnTest";
|
|
||||||
btnTest.Size = new Size(89, 30);
|
|
||||||
btnTest.TabIndex = 7;
|
|
||||||
btnTest.Text = "测试";
|
|
||||||
btnTest.UseVisualStyleBackColor = true;
|
|
||||||
btnTest.Click += btnTest_Click;
|
|
||||||
//
|
|
||||||
// splitContainer
|
|
||||||
//
|
|
||||||
splitContainer.Dock = DockStyle.Fill;
|
|
||||||
splitContainer.Location = new Point(0, 40);
|
|
||||||
splitContainer.Name = "splitContainer";
|
|
||||||
//
|
|
||||||
// splitContainer.Panel1
|
|
||||||
//
|
|
||||||
splitContainer.Panel1.Controls.Add(panelGuide);
|
|
||||||
splitContainer.Panel1MinSize = 150;
|
|
||||||
//
|
|
||||||
// splitContainer.Panel2
|
|
||||||
//
|
|
||||||
splitContainer.Panel2.Controls.Add(panel1);
|
|
||||||
splitContainer.Size = new Size(1185, 791);
|
|
||||||
splitContainer.SplitterDistance = 234;
|
|
||||||
splitContainer.TabIndex = 3;
|
|
||||||
//
|
|
||||||
// panelGuide
|
|
||||||
//
|
|
||||||
panelGuide.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panelGuide.Dock = DockStyle.Fill;
|
|
||||||
panelGuide.Location = new Point(0, 0);
|
|
||||||
panelGuide.Name = "panelGuide";
|
|
||||||
panelGuide.Size = new Size(234, 791);
|
|
||||||
panelGuide.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// btnRotateTest
|
|
||||||
//
|
|
||||||
btnRotateTest.Location = new Point(679, 3);
|
|
||||||
btnRotateTest.Name = "btnRotateTest";
|
|
||||||
btnRotateTest.Size = new Size(89, 30);
|
|
||||||
btnRotateTest.TabIndex = 8;
|
|
||||||
btnRotateTest.Text = "测试旋转";
|
|
||||||
btnRotateTest.UseVisualStyleBackColor = true;
|
|
||||||
btnRotateTest.Click += btnRotateTest_Click;
|
|
||||||
//
|
|
||||||
// FrmMain
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
ClientSize = new Size(1185, 831);
|
|
||||||
Controls.Add(splitContainer);
|
|
||||||
Controls.Add(flowLayoutPanel1);
|
|
||||||
Name = "FrmMain";
|
|
||||||
Text = "Form1";
|
|
||||||
WindowState = FormWindowState.Maximized;
|
|
||||||
Load += FrmMain_Load;
|
|
||||||
panel1.ResumeLayout(false);
|
|
||||||
panel1.PerformLayout();
|
|
||||||
statusStrip1.ResumeLayout(false);
|
|
||||||
statusStrip1.PerformLayout();
|
|
||||||
flowLayoutPanel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).EndInit();
|
|
||||||
splitContainer.ResumeLayout(false);
|
|
||||||
ResumeLayout(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
private Panel panel1;
|
|
||||||
private FlowLayoutPanel flowLayoutPanel1;
|
|
||||||
private SplitContainer splitContainer;
|
|
||||||
private Panel panelGuide;
|
|
||||||
private Button btnLoadImage;
|
|
||||||
private Button btnCreateCircle;
|
|
||||||
private Button btnStopDraw;
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private Canvas.UI.FlyCanvas canvas;
|
|
||||||
private ToolStripStatusLabel lblStatus;
|
|
||||||
private Button btnTestOutsideDraw;
|
|
||||||
private Button btnTestClearDraw;
|
|
||||||
private Button btnTestCircleMeasure;
|
|
||||||
private Button btnCreateRect;
|
|
||||||
private Button btnTest;
|
|
||||||
private Button btnRotateTest;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,345 +0,0 @@
|
|||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using CanFly.UI;
|
|
||||||
using CanFly.UI.GuidePanel;
|
|
||||||
using CanFly.Util;
|
|
||||||
using HalconDotNet;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace CanFly
|
|
||||||
{
|
|
||||||
public partial class FrmMain : Form
|
|
||||||
{
|
|
||||||
|
|
||||||
private string _currentImageFile = "";
|
|
||||||
private System.Windows.Forms.Timer _statusTimer = new System.Windows.Forms.Timer();
|
|
||||||
private BaseGuideControl? _currentGuideCtrl;
|
|
||||||
|
|
||||||
|
|
||||||
public FrmMain()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
this.canvas.mouseMoved += Canvas_mouseMoved;
|
|
||||||
this.canvas.OnShapeUpdateEvent += Canvas_OnShapeUpdateEvent;
|
|
||||||
this.canvas.selectionChanged += Canvas_selectionChanged;
|
|
||||||
|
|
||||||
this.canvas.OnShapeMoving += Canvas_OnShapeMoving;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void FrmMain_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
_currentImageFile = @"C:\Users\DEV\Desktop\螺丝\Cam7_130252457.jpg";
|
|
||||||
Bitmap bitmap = (Bitmap)Image.FromFile(_currentImageFile);
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.btnCreateCircle.Enabled = true;
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OpenFileDialog ofd = new OpenFileDialog();
|
|
||||||
ofd.Filter = "图像文件|*.jpg;*.png";
|
|
||||||
ofd.Multiselect = false;
|
|
||||||
if (ofd.ShowDialog() == DialogResult.OK)
|
|
||||||
{
|
|
||||||
_currentImageFile = ofd.FileName;
|
|
||||||
//this.canvasMain.LoadImageFile(_currentImageFile);
|
|
||||||
Bitmap bitmap = (Bitmap)Image.FromFile(_currentImageFile);
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.btnCreateCircle.Enabled = true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnCreateCircle_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//FrmGuideCircle frmGuideCircle = new FrmGuideCircle();
|
|
||||||
//panelGuide.ShowForm(frmGuideCircle);
|
|
||||||
|
|
||||||
SwitchGuideForm(ShapeTypeEnum.Circle);
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Circle);
|
|
||||||
|
|
||||||
this.btnCreateCircle.Enabled = false;
|
|
||||||
this.btnStopDraw.Enabled = true;
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnCreateRect_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Rectangle);
|
|
||||||
|
|
||||||
this.btnCreateCircle.Enabled = false;
|
|
||||||
this.btnStopDraw.Enabled = true;
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnStopDraw_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//panelGuide.Controls.Clear();
|
|
||||||
StopDrawMode();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void StartDrawMode()
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void StopDrawMode()
|
|
||||||
{
|
|
||||||
this.canvas.StopDraw();
|
|
||||||
|
|
||||||
|
|
||||||
this.btnStopDraw.Enabled = false;
|
|
||||||
this.btnCreateCircle.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Status(string message, int delay = 5000)
|
|
||||||
{
|
|
||||||
_statusTimer.Stop();
|
|
||||||
// 显示消息
|
|
||||||
lblStatus.Text = message;
|
|
||||||
|
|
||||||
// 创建一个计时器
|
|
||||||
|
|
||||||
_statusTimer.Interval = delay; // 设置延迟时间
|
|
||||||
_statusTimer.Tick += (sender, e) =>
|
|
||||||
{
|
|
||||||
_statusTimer.Stop(); // 停止计时器
|
|
||||||
lblStatus.Text = string.Empty; // 清空状态消息
|
|
||||||
};
|
|
||||||
_statusTimer.Start(); // 启动计时器
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(Canvas_mouseMoved, pos);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
// panelGuide.Controls.Clear();
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void SwitchGuideForm(ShapeTypeEnum shapeType)
|
|
||||||
{
|
|
||||||
if (_currentGuideCtrl == null)
|
|
||||||
{
|
|
||||||
switch (shapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Point:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Rectangle:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Circle:
|
|
||||||
_currentGuideCtrl = new GuideCircleCtrl();
|
|
||||||
_currentGuideCtrl.CurrentImageFile = _currentImageFile;
|
|
||||||
|
|
||||||
_currentGuideCtrl.OnControlCloseEvent += () =>
|
|
||||||
{
|
|
||||||
panelGuide.Controls.Clear();
|
|
||||||
StopDrawMode();
|
|
||||||
};
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Polygon:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.LineStrip:
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
//_currentGuideCtrl?.AddToPanel(panelGuide);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
panelGuide.Controls.Clear();
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
// _currentGuideCtrl?.UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeUpdateEvent(FlyShape shape)
|
|
||||||
{
|
|
||||||
switch (shape.ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Point:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Rectangle:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Circle:
|
|
||||||
{
|
|
||||||
//_currentGuideCtrl?.UpdateShape(shape);
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Polygon:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.LineStrip:
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnTestOutsideDraw_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
Random random = new Random((int)DateTime.Now.Ticks);
|
|
||||||
|
|
||||||
for (int i = 0; i < 10; i++)
|
|
||||||
{
|
|
||||||
// this.canvas.DrawCircle(new PointF(500, 500), 100);
|
|
||||||
|
|
||||||
int x = random.Next() % 500;
|
|
||||||
int y = random.Next() % 500;
|
|
||||||
int r = random.Next() % 200;
|
|
||||||
|
|
||||||
Debug.WriteLine($"X:{x}\tY:{y}\tR:{r}");
|
|
||||||
|
|
||||||
this.canvas.DrawCircle(new PointF(x, y), r);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnTestClearDraw_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
this.canvas.ClearDraw();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private async void btnTestCircleMeasure_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//string dir = Path.Combine(Environment.CurrentDirectory, "hscripts");
|
|
||||||
//string file = "CircleMeasure.hdvp";
|
|
||||||
//string filePath = Path.Combine(dir, file);
|
|
||||||
//if (!File.Exists(filePath))
|
|
||||||
//{
|
|
||||||
// MessageBox.Show($"文件 {filePath} 不存在");
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
|
|
||||||
//HObject? hImage = null;
|
|
||||||
|
|
||||||
//try
|
|
||||||
//{
|
|
||||||
// HDevEngineTool tool = new HDevEngineTool(dir);
|
|
||||||
// tool.LoadProcedure(Path.GetFileNameWithoutExtension(file));
|
|
||||||
|
|
||||||
// // string imageFile = Path.Combine(Environment.CurrentDirectory, "hscripts", "image.png");
|
|
||||||
|
|
||||||
// HOperatorSet.ReadImage(out hImage, _currentImageFile);
|
|
||||||
// tool.InputImageDic["INPUT_Image"] = hImage;
|
|
||||||
// tool.InputTupleDic["XCenter"] = 981.625;
|
|
||||||
// tool.InputTupleDic["YCenter"] = 931.823;
|
|
||||||
// tool.InputTupleDic["Radius"] = 900.141;
|
|
||||||
|
|
||||||
// Stopwatch sw = new Stopwatch();
|
|
||||||
// sw.Start();
|
|
||||||
// if (!tool.RunProcedure(out string error, out _))
|
|
||||||
// {
|
|
||||||
// throw new Exception();
|
|
||||||
// }
|
|
||||||
// sw.Stop();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// var flag = tool.GetResultTuple("OUTPUT_Flag").HTupleToDouble();
|
|
||||||
// List<double> x = tool.GetResultTuple("RXCenter").HTupleToDouble();
|
|
||||||
// var y = tool.GetResultTuple("RYCenter").HTupleToDouble();
|
|
||||||
// var r = tool.GetResultTuple("RRadius").HTupleToDouble();
|
|
||||||
|
|
||||||
// if (flag.Count > 0 && x.Count > 0 && y.Count > 0 && r.Count > 0)
|
|
||||||
// {
|
|
||||||
// this.canvas.DrawCircle(new PointF((float)x[0], (float)y[0]), (float)r[0]);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// //
|
|
||||||
// Debug.WriteLine("");
|
|
||||||
//}
|
|
||||||
//catch (Exception)
|
|
||||||
//{
|
|
||||||
// throw;
|
|
||||||
//}
|
|
||||||
//finally
|
|
||||||
//{
|
|
||||||
// hImage?.Dispose();
|
|
||||||
//}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnTest_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
this.canvas.DrawRectangle(new PointF(300, 300),
|
|
||||||
new PointF(800, 500), 33f);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnRotateTest_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.Shapes.Count == 0)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
this.canvas.Shapes[0]._currentRotateAngle += 10;
|
|
||||||
|
|
||||||
//var shp = this.canvas.Shapes[this.canvas.Shapes.Count - 1].Copy();
|
|
||||||
//shp.Rotate += 10;
|
|
||||||
//this.canvas.Shapes.Add(shp);
|
|
||||||
|
|
||||||
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,148 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
<data name="canvas.OutsideShapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<data name="canvas.Shapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
75
CanFly/UI/FrmMain3.Designer.cs
generated
75
CanFly/UI/FrmMain3.Designer.cs
generated
@ -1,75 +0,0 @@
|
|||||||
|
|
||||||
|
|
||||||
namespace XKRS.CanFly
|
|
||||||
{
|
|
||||||
partial class FrmMain3
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Required designer variable.
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Clean up any resources being used.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Windows Form Designer generated code
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Required method for Designer support - do not modify
|
|
||||||
/// the contents of this method with the code editor.
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
panelContent = new Panel();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Location = new Point(0, 808);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(1185, 22);
|
|
||||||
statusStrip1.TabIndex = 4;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// panelContent
|
|
||||||
//
|
|
||||||
panelContent.Dock = DockStyle.Fill;
|
|
||||||
panelContent.Location = new Point(0, 0);
|
|
||||||
panelContent.Margin = new Padding(4, 3, 4, 3);
|
|
||||||
panelContent.Name = "panelContent";
|
|
||||||
panelContent.Size = new Size(1185, 808);
|
|
||||||
panelContent.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// FrmMain3
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
ClientSize = new Size(1185, 830);
|
|
||||||
Controls.Add(panelContent);
|
|
||||||
Controls.Add(statusStrip1);
|
|
||||||
FormBorderStyle = FormBorderStyle.FixedSingle;
|
|
||||||
Margin = new Padding(2, 3, 2, 3);
|
|
||||||
Name = "FrmMain3";
|
|
||||||
StartPosition = FormStartPosition.CenterScreen;
|
|
||||||
Text = "尺寸测量";
|
|
||||||
Load += FrmMain_Load;
|
|
||||||
ResumeLayout(false);
|
|
||||||
PerformLayout();
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private Panel panelContent;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,435 +0,0 @@
|
|||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using CanFly.UI;
|
|
||||||
using CanFly.UI.GuidePanel;
|
|
||||||
using CanFly.Util;
|
|
||||||
using HalconDotNet;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace XKRS.CanFly
|
|
||||||
{
|
|
||||||
|
|
||||||
public partial class FrmMain3 : Form
|
|
||||||
{
|
|
||||||
|
|
||||||
private string _currentImageFile = "";
|
|
||||||
private System.Windows.Forms.Timer _statusTimer = new System.Windows.Forms.Timer();
|
|
||||||
private BaseGuideControl? _currentGuideCtrl;
|
|
||||||
|
|
||||||
|
|
||||||
private GuideCircleCtrl guideCircleCtrl = new GuideCircleCtrl();
|
|
||||||
private GuideLineCircleCtrl guideLineCircleCtrl = new GuideLineCircleCtrl();
|
|
||||||
private GuideLineLineCtrl guideLineLineCtrl = new GuideLineLineCtrl();
|
|
||||||
private GuideLineCtrl guideLineCtrl = new GuideLineCtrl();
|
|
||||||
private GuideHeightCtrl guideHeightCtrl = new GuideHeightCtrl();
|
|
||||||
string Type=string.Empty;
|
|
||||||
|
|
||||||
|
|
||||||
public string inputtext=string.Empty;
|
|
||||||
public string outtext = string.Empty;
|
|
||||||
public FrmMain3(string type)
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
Type=type;
|
|
||||||
|
|
||||||
guideCircleCtrl.Dock = DockStyle.Fill;
|
|
||||||
guideCircleCtrl.OnControlCloseEvent -= () => panelContent.Controls.Clear();
|
|
||||||
guideCircleCtrl.OnControlCloseEvent += () => panelContent.Controls.Clear();
|
|
||||||
|
|
||||||
|
|
||||||
guideLineCircleCtrl.Dock = DockStyle.Fill;
|
|
||||||
guideLineCircleCtrl.OnControlCloseEvent -= () => panelContent.Controls.Clear();
|
|
||||||
guideLineCircleCtrl.OnControlCloseEvent += () => panelContent.Controls.Clear();
|
|
||||||
|
|
||||||
guideLineLineCtrl.Dock = DockStyle.Fill;
|
|
||||||
guideLineLineCtrl.OnControlCloseEvent -= () => panelContent.Controls.Clear();
|
|
||||||
guideLineLineCtrl.OnControlCloseEvent += () => panelContent.Controls.Clear();
|
|
||||||
|
|
||||||
guideLineCtrl.Dock = DockStyle.Fill;
|
|
||||||
guideLineCtrl.OnControlCloseEvent -= () => panelContent.Controls.Clear();
|
|
||||||
guideLineCtrl.OnControlCloseEvent += () => panelContent.Controls.Clear();
|
|
||||||
|
|
||||||
|
|
||||||
guideHeightCtrl.Dock = DockStyle.Fill;
|
|
||||||
guideHeightCtrl.OnControlCloseEvent -= () => panelContent.Controls.Clear();
|
|
||||||
guideHeightCtrl.OnControlCloseEvent += () => panelContent.Controls.Clear();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void FrmMain_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
switch (Type)
|
|
||||||
{
|
|
||||||
case "1":
|
|
||||||
SwitchMeasureMode(guideCircleCtrl);
|
|
||||||
break;
|
|
||||||
case "2":
|
|
||||||
SwitchMeasureMode(guideLineCtrl);
|
|
||||||
break;
|
|
||||||
case "3":
|
|
||||||
SwitchMeasureMode(guideLineLineCtrl);
|
|
||||||
break;
|
|
||||||
case "4":
|
|
||||||
SwitchMeasureMode(guideLineCircleCtrl);
|
|
||||||
break;
|
|
||||||
case "5":
|
|
||||||
SwitchMeasureMode(guideHeightCtrl);
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//OpenFileDialog ofd = new OpenFileDialog();
|
|
||||||
//ofd.Filter = "图像文件|*.jpg;*.png";
|
|
||||||
//ofd.Multiselect = false;
|
|
||||||
//if (ofd.ShowDialog() == DialogResult.OK)
|
|
||||||
//{
|
|
||||||
// _currentImageFile = ofd.FileName;
|
|
||||||
// Bitmap bitmap = (Bitmap)Image.FromFile(_currentImageFile);
|
|
||||||
// this.canvas.LoadPixmap(bitmap);
|
|
||||||
// this.btnCreateCircle.Enabled = true;
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnMeasureCircle_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//var contentCtrls = panelContent.Controls;
|
|
||||||
|
|
||||||
//if (contentCtrls.Count > 0)
|
|
||||||
//{
|
|
||||||
// if (contentCtrls[0] == guideCircleCtrl)
|
|
||||||
// {
|
|
||||||
// return;
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
//panelContent.Controls.Clear();
|
|
||||||
//panelContent.Controls.Add(guideCircleCtrl);
|
|
||||||
|
|
||||||
SwitchMeasureMode(guideCircleCtrl);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnMeasureLineCircle_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
SwitchMeasureMode(guideLineCircleCtrl);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void SwitchMeasureMode(BaseGuideControl control)
|
|
||||||
{
|
|
||||||
var contentCtrls = panelContent.Controls;
|
|
||||||
|
|
||||||
if (contentCtrls.Count > 0)
|
|
||||||
{
|
|
||||||
if (contentCtrls[0] == control)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
panelContent.Controls.Clear();
|
|
||||||
|
|
||||||
control.OnDataPassed -= Control_OnDataPassed;
|
|
||||||
control.OnDataPassed += Control_OnDataPassed;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
//control.Dock = DockStyle.Fill;
|
|
||||||
//control.OnControlCloseEvent -= () => panelContent.Controls.Clear();
|
|
||||||
//control.OnControlCloseEvent += () => panelContent.Controls.Clear();
|
|
||||||
panelContent.Controls.Add(control);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Control_OnDataPassed(string obj,string obj1)
|
|
||||||
{
|
|
||||||
inputtext = obj;
|
|
||||||
outtext = obj1;
|
|
||||||
this.Close();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnCreateRect_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//this.canvas.StartDraw(ShapeTypeEnum.Rectangle);
|
|
||||||
//this.btnCreateCircle.Enabled = false;
|
|
||||||
//this.btnStopDraw.Enabled = true;
|
|
||||||
//this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnStopDraw_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//panelGuide.Controls.Clear();
|
|
||||||
StopDrawMode();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void StartDrawMode()
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void StopDrawMode()
|
|
||||||
{
|
|
||||||
//this.canvas.StopDraw();
|
|
||||||
|
|
||||||
|
|
||||||
//this.btnStopDraw.Enabled = false;
|
|
||||||
//this.btnCreateCircle.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Status(string message, int delay = 5000)
|
|
||||||
{
|
|
||||||
//_statusTimer.Stop();
|
|
||||||
//// 显示消息
|
|
||||||
//lblStatus.Text = message;
|
|
||||||
|
|
||||||
//// 创建一个计时器
|
|
||||||
|
|
||||||
//_statusTimer.Interval = delay; // 设置延迟时间
|
|
||||||
//_statusTimer.Tick += (sender, e) =>
|
|
||||||
//{
|
|
||||||
// _statusTimer.Stop(); // 停止计时器
|
|
||||||
// lblStatus.Text = string.Empty; // 清空状态消息
|
|
||||||
//};
|
|
||||||
//_statusTimer.Start(); // 启动计时器
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
//if (InvokeRequired)
|
|
||||||
//{
|
|
||||||
// Invoke(Canvas_mouseMoved, pos);
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
|
|
||||||
//lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
// panelGuide.Controls.Clear();
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void SwitchGuideForm(ShapeTypeEnum shapeType)
|
|
||||||
{
|
|
||||||
//if (_currentGuideCtrl == null)
|
|
||||||
//{
|
|
||||||
// switch (shapeType)
|
|
||||||
// {
|
|
||||||
// case ShapeTypeEnum.Point:
|
|
||||||
// break;
|
|
||||||
// case ShapeTypeEnum.Line:
|
|
||||||
// break;
|
|
||||||
// case ShapeTypeEnum.Rectangle:
|
|
||||||
// break;
|
|
||||||
// case ShapeTypeEnum.Circle:
|
|
||||||
// _currentGuideCtrl = new GuideCircleCtrl();
|
|
||||||
// _currentGuideCtrl.ImageFile = _currentImageFile;
|
|
||||||
// _currentGuideCtrl.OnDrawCircle += this.canvas.DrawCircle;
|
|
||||||
// _currentGuideCtrl.OnClose += () =>
|
|
||||||
// {
|
|
||||||
// panelGuide.Controls.Clear();
|
|
||||||
// StopDrawMode();
|
|
||||||
// };
|
|
||||||
// break;
|
|
||||||
// case ShapeTypeEnum.Polygon:
|
|
||||||
// break;
|
|
||||||
// case ShapeTypeEnum.LineStrip:
|
|
||||||
// break;
|
|
||||||
// default:
|
|
||||||
// break;
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
//_currentGuideCtrl?.AddToPanel(panelGuide);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
//if (shapes.Count != 1)
|
|
||||||
//{
|
|
||||||
// panelGuide.Controls.Clear();
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
|
|
||||||
//_currentGuideCtrl?.UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeUpdateEvent(FlyShape shape)
|
|
||||||
{
|
|
||||||
switch (shape.ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Point:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Rectangle:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Circle:
|
|
||||||
{
|
|
||||||
//_currentGuideCtrl?.UpdateShape(shape);
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Polygon:
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.LineStrip:
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnTestOutsideDraw_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//Random random = new Random((int)DateTime.Now.Ticks);
|
|
||||||
|
|
||||||
//for (int i = 0; i < 10; i++)
|
|
||||||
//{
|
|
||||||
// // this.canvas.DrawCircle(new PointF(500, 500), 100);
|
|
||||||
|
|
||||||
// int x = random.Next() % 500;
|
|
||||||
// int y = random.Next() % 500;
|
|
||||||
// int r = random.Next() % 200;
|
|
||||||
|
|
||||||
// Debug.WriteLine($"X:{x}\tY:{y}\tR:{r}");
|
|
||||||
|
|
||||||
// this.canvas.DrawCircle(new PointF(x, y), r);
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnTestClearDraw_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//this.canvas.ClearDraw();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private async void btnTestCircleMeasure_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//string dir = Path.Combine(Environment.CurrentDirectory, "hscripts");
|
|
||||||
//string file = "CircleMeasure.hdvp";
|
|
||||||
//string filePath = Path.Combine(dir, file);
|
|
||||||
//if (!File.Exists(filePath))
|
|
||||||
//{
|
|
||||||
// MessageBox.Show($"文件 {filePath} 不存在");
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
|
|
||||||
//HObject? hImage = null;
|
|
||||||
|
|
||||||
//try
|
|
||||||
//{
|
|
||||||
// HDevEngineTool tool = new HDevEngineTool(dir);
|
|
||||||
// tool.LoadProcedure(Path.GetFileNameWithoutExtension(file));
|
|
||||||
|
|
||||||
// // string imageFile = Path.Combine(Environment.CurrentDirectory, "hscripts", "image.png");
|
|
||||||
|
|
||||||
// HOperatorSet.ReadImage(out hImage, _currentImageFile);
|
|
||||||
// tool.InputImageDic["INPUT_Image"] = hImage;
|
|
||||||
// tool.InputTupleDic["XCenter"] = 981.625;
|
|
||||||
// tool.InputTupleDic["YCenter"] = 931.823;
|
|
||||||
// tool.InputTupleDic["Radius"] = 900.141;
|
|
||||||
|
|
||||||
// Stopwatch sw = new Stopwatch();
|
|
||||||
// sw.Start();
|
|
||||||
// if (!tool.RunProcedure(out string error, out _))
|
|
||||||
// {
|
|
||||||
// throw new Exception();
|
|
||||||
// }
|
|
||||||
// sw.Stop();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// var flag = tool.GetResultTuple("OUTPUT_Flag").HTupleToDouble();
|
|
||||||
// List<double> x = tool.GetResultTuple("RXCenter").HTupleToDouble();
|
|
||||||
// var y = tool.GetResultTuple("RYCenter").HTupleToDouble();
|
|
||||||
// var r = tool.GetResultTuple("RRadius").HTupleToDouble();
|
|
||||||
|
|
||||||
// if (flag.Count > 0 && x.Count > 0 && y.Count > 0 && r.Count > 0)
|
|
||||||
// {
|
|
||||||
// this.canvas.DrawCircle(new PointF((float)x[0], (float)y[0]), (float)r[0]);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// //
|
|
||||||
// Debug.WriteLine("");
|
|
||||||
//}
|
|
||||||
//catch (Exception)
|
|
||||||
//{
|
|
||||||
// throw;
|
|
||||||
//}
|
|
||||||
//finally
|
|
||||||
//{
|
|
||||||
// hImage?.Dispose();
|
|
||||||
//}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnTest_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//this.canvas.DrawRectangle(new PointF(300, 300),
|
|
||||||
// new PointF(800, 500), 33f);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnRotateTest_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//if (this.canvas.Shapes.Count == 0)
|
|
||||||
//{
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
|
|
||||||
//this.canvas.Shapes[0]._currentRotateAngle += 10;
|
|
||||||
//this.canvas.Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnMeasureLineline_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
SwitchMeasureMode(guideLineLineCtrl);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnMeasureLine_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
SwitchMeasureMode(guideLineCtrl);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,123 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
@ -1,158 +0,0 @@
|
|||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Canvas.UI;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using HalconDotNet;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
|
|
||||||
public class BaseGuideControl : UserControl
|
|
||||||
{
|
|
||||||
public Action? OnControlCloseEvent;
|
|
||||||
|
|
||||||
public event Action<string,string> OnDataPassed;
|
|
||||||
|
|
||||||
|
|
||||||
private string _currentImageFile;
|
|
||||||
|
|
||||||
public string CurrentImageFile;
|
|
||||||
|
|
||||||
|
|
||||||
protected string _hScriptsDir = Path.Combine(Environment.CurrentDirectory, "hscripts");
|
|
||||||
|
|
||||||
protected HObject? hImage = null;
|
|
||||||
|
|
||||||
protected FlyCanvas _canvas;
|
|
||||||
|
|
||||||
private HDevEngineTool? tool = null;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public void DataToTriggerEvent(string input,string output)
|
|
||||||
{
|
|
||||||
|
|
||||||
OnDataPassed?.Invoke(input, output);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void UpdateShape(FlyShape shape)
|
|
||||||
{
|
|
||||||
throw new NotImplementedException();
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual string GetScriptFileName()
|
|
||||||
{
|
|
||||||
throw new NotImplementedException();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 执行Halcon脚本
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="inputImg">输入图像</param>
|
|
||||||
/// <param name="inputDic">输入参数</param>
|
|
||||||
/// <param name="outputParamKeys">输出参数</param>
|
|
||||||
protected void ExecuteHScript(
|
|
||||||
Dictionary<string, HObject> inputImg,
|
|
||||||
Dictionary<string, HTuple> inputDic,
|
|
||||||
List<string> outputParamKeys,
|
|
||||||
Action<Exception>? exceptionHandler = null)
|
|
||||||
{
|
|
||||||
|
|
||||||
string filePath = Path.Combine(_hScriptsDir, GetScriptFileName());
|
|
||||||
if (!File.Exists(filePath))
|
|
||||||
{
|
|
||||||
MessageBox.Show($"文件 {filePath} 不存在");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (tool == null)
|
|
||||||
{
|
|
||||||
tool = new HDevEngineTool(_hScriptsDir);
|
|
||||||
tool.LoadProcedure(Path.GetFileNameWithoutExtension(GetScriptFileName()));
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
//tool.InputImageDic["INPUT_Image"] = hImage;
|
|
||||||
//tool.InputTupleDic["XCenter"] = _x;
|
|
||||||
//tool.InputTupleDic["YCenter"] = _y;
|
|
||||||
//tool.InputTupleDic["Radius"] = _r;
|
|
||||||
|
|
||||||
tool.InputImageDic = inputImg;
|
|
||||||
tool.InputTupleDic = inputDic;
|
|
||||||
|
|
||||||
|
|
||||||
Dictionary<string, HTuple> outputParams = new Dictionary<string, HTuple>();
|
|
||||||
|
|
||||||
|
|
||||||
if (!tool.RunProcedure(out string error, out int timeElasped))
|
|
||||||
{
|
|
||||||
OnExecuteHScriptResult(false, outputParams, timeElasped);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
for (int i = 0; i < outputParamKeys.Count; i++)
|
|
||||||
{
|
|
||||||
string k = outputParamKeys[i];
|
|
||||||
outputParams[k] = tool.GetResultTuple(k);
|
|
||||||
}
|
|
||||||
|
|
||||||
OnExecuteHScriptResult(true, outputParams, timeElasped);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
exceptionHandler?.Invoke(ex);
|
|
||||||
}
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
hImage?.Dispose();
|
|
||||||
hImage = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Halcon脚本执行结果回调函数,重写该方法以自行处理算法执行结果
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="success">算法执行是否成功</param>
|
|
||||||
/// <param name="resultDic">算法输出结果</param>
|
|
||||||
/// <param name="timeElasped">算法耗时,单位:ms</param>
|
|
||||||
protected virtual void OnExecuteHScriptResult(bool success, Dictionary<string, HTuple> resultDic, int timeElasped)
|
|
||||||
{
|
|
||||||
throw new NotImplementedException();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
protected void OpenImageFile(Action<Bitmap> callback)
|
|
||||||
{
|
|
||||||
OpenFileDialog ofd = new OpenFileDialog();
|
|
||||||
ofd.Filter = "图像文件|*.jpg;*.jpeg;*.png";
|
|
||||||
ofd.Multiselect = false;
|
|
||||||
if (ofd.ShowDialog() == DialogResult.OK)
|
|
||||||
{
|
|
||||||
CurrentImageFile = ofd.FileName;
|
|
||||||
Bitmap bitmap = (Bitmap)Image.FromFile(CurrentImageFile);
|
|
||||||
callback?.Invoke(bitmap);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
protected void OnControlClose()
|
|
||||||
{
|
|
||||||
OnControlCloseEvent?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
</root>
|
|
77
CanFly/UI/GuidePanel/CtrlTitleBar.Designer.cs
generated
77
CanFly/UI/GuidePanel/CtrlTitleBar.Designer.cs
generated
@ -1,77 +0,0 @@
|
|||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
partial class CtrlTitleBar
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
btnClose = new PictureBox();
|
|
||||||
j = new Label();
|
|
||||||
((System.ComponentModel.ISupportInitialize)btnClose).BeginInit();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// btnClose
|
|
||||||
//
|
|
||||||
btnClose.Dock = DockStyle.Right;
|
|
||||||
btnClose.Image = XKRS.CanFly.Properties.Resources.Close;
|
|
||||||
btnClose.Location = new Point(516, 3);
|
|
||||||
btnClose.Name = "btnClose";
|
|
||||||
btnClose.Size = new Size(30, 30);
|
|
||||||
btnClose.SizeMode = PictureBoxSizeMode.StretchImage;
|
|
||||||
btnClose.TabIndex = 1;
|
|
||||||
btnClose.TabStop = false;
|
|
||||||
btnClose.Click += btnClose_Click;
|
|
||||||
//
|
|
||||||
// j
|
|
||||||
//
|
|
||||||
j.Dock = DockStyle.Fill;
|
|
||||||
j.Font = new Font("Microsoft YaHei UI", 12F, FontStyle.Bold, GraphicsUnit.Point);
|
|
||||||
j.Location = new Point(3, 3);
|
|
||||||
j.Name = "j";
|
|
||||||
j.Size = new Size(513, 30);
|
|
||||||
j.TabIndex = 2;
|
|
||||||
j.Text = "标题";
|
|
||||||
j.TextAlign = ContentAlignment.MiddleLeft;
|
|
||||||
//
|
|
||||||
// CtrlTitleBar
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Controls.Add(j);
|
|
||||||
Controls.Add(btnClose);
|
|
||||||
MinimumSize = new Size(0, 36);
|
|
||||||
Name = "CtrlTitleBar";
|
|
||||||
Padding = new Padding(3);
|
|
||||||
Size = new Size(549, 36);
|
|
||||||
((System.ComponentModel.ISupportInitialize)btnClose).EndInit();
|
|
||||||
ResumeLayout(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
private PictureBox btnClose;
|
|
||||||
private Label j;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,38 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
public partial class CtrlTitleBar : UserControl
|
|
||||||
{
|
|
||||||
public event Action? OnCloseClicked;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
[DisplayName("Title")]
|
|
||||||
public string Title
|
|
||||||
{
|
|
||||||
get { return this.j.Text; }
|
|
||||||
set { this.j.Text = value; }
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public CtrlTitleBar()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
this.Dock = DockStyle.Top;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnClose_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OnCloseClicked?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
364
CanFly/UI/GuidePanel/GuideCircleCtrl.Designer.cs
generated
364
CanFly/UI/GuidePanel/GuideCircleCtrl.Designer.cs
generated
@ -1,364 +0,0 @@
|
|||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
partial class GuideCircleCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(GuideCircleCtrl));
|
|
||||||
splitContainer = new SplitContainer();
|
|
||||||
panel1 = new Panel();
|
|
||||||
canvas = new Canvas.UI.FlyCanvas();
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
lblStatus = new ToolStripStatusLabel();
|
|
||||||
btnClose = new PictureBox();
|
|
||||||
label4 = new Label();
|
|
||||||
btnExecute = new Button();
|
|
||||||
lblElapsed = new Label();
|
|
||||||
ctrlTitleBar = new CtrlTitleBar();
|
|
||||||
groupBox1 = new GroupBox();
|
|
||||||
label1 = new Label();
|
|
||||||
label2 = new Label();
|
|
||||||
label3 = new Label();
|
|
||||||
tbR = new TextBox();
|
|
||||||
tbY = new TextBox();
|
|
||||||
tbX = new TextBox();
|
|
||||||
btnLoadImage = new Button();
|
|
||||||
btnCreateCircle = new Button();
|
|
||||||
btnSave = new Button();
|
|
||||||
label6 = new Label();
|
|
||||||
lblResult = new Label();
|
|
||||||
panelGuide = new Panel();
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).BeginInit();
|
|
||||||
splitContainer.Panel1.SuspendLayout();
|
|
||||||
splitContainer.Panel2.SuspendLayout();
|
|
||||||
splitContainer.SuspendLayout();
|
|
||||||
panel1.SuspendLayout();
|
|
||||||
statusStrip1.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)btnClose).BeginInit();
|
|
||||||
groupBox1.SuspendLayout();
|
|
||||||
panelGuide.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// splitContainer
|
|
||||||
//
|
|
||||||
splitContainer.Dock = DockStyle.Fill;
|
|
||||||
splitContainer.Location = new Point(0, 0);
|
|
||||||
splitContainer.Name = "splitContainer";
|
|
||||||
//
|
|
||||||
// splitContainer.Panel1
|
|
||||||
//
|
|
||||||
splitContainer.Panel1.Controls.Add(panelGuide);
|
|
||||||
splitContainer.Panel1MinSize = 150;
|
|
||||||
//
|
|
||||||
// splitContainer.Panel2
|
|
||||||
//
|
|
||||||
splitContainer.Panel2.Controls.Add(panel1);
|
|
||||||
splitContainer.Size = new Size(1280, 640);
|
|
||||||
splitContainer.SplitterDistance = 200;
|
|
||||||
splitContainer.TabIndex = 12;
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
panel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panel1.Controls.Add(canvas);
|
|
||||||
panel1.Controls.Add(statusStrip1);
|
|
||||||
panel1.Dock = DockStyle.Fill;
|
|
||||||
panel1.Location = new Point(0, 0);
|
|
||||||
panel1.Name = "panel1";
|
|
||||||
panel1.Size = new Size(1076, 640);
|
|
||||||
panel1.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// canvas
|
|
||||||
//
|
|
||||||
canvas.AllowMultiSelect = false;
|
|
||||||
canvas.CreateMode = Canvas.Shape.ShapeTypeEnum.Polygon;
|
|
||||||
canvas.Dock = DockStyle.Fill;
|
|
||||||
canvas.Enabled = false;
|
|
||||||
canvas.FillDrawing = false;
|
|
||||||
canvas.Location = new Point(0, 0);
|
|
||||||
canvas.Margin = new Padding(2);
|
|
||||||
canvas.Name = "canvas";
|
|
||||||
canvas.OutsideShapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.OutsideShapes");
|
|
||||||
canvas.Scale = 1F;
|
|
||||||
canvas.Shapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.Shapes");
|
|
||||||
canvas.Size = new Size(1074, 616);
|
|
||||||
canvas.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Items.AddRange(new ToolStripItem[] { lblStatus });
|
|
||||||
statusStrip1.Location = new Point(0, 616);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(1074, 22);
|
|
||||||
statusStrip1.TabIndex = 1;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// lblStatus
|
|
||||||
//
|
|
||||||
lblStatus.Name = "lblStatus";
|
|
||||||
lblStatus.Size = new Size(44, 17);
|
|
||||||
lblStatus.Text = " ";
|
|
||||||
//
|
|
||||||
// btnClose
|
|
||||||
//
|
|
||||||
btnClose.Anchor = AnchorStyles.Top | AnchorStyles.Right;
|
|
||||||
btnClose.Image = XKRS.CanFly.Properties.Resources.Close;
|
|
||||||
btnClose.InitialImage = XKRS.CanFly.Properties.Resources.Close;
|
|
||||||
btnClose.Location = new Point(1102, 3);
|
|
||||||
btnClose.Name = "btnClose";
|
|
||||||
btnClose.Size = new Size(33, 33);
|
|
||||||
btnClose.SizeMode = PictureBoxSizeMode.StretchImage;
|
|
||||||
btnClose.TabIndex = 5;
|
|
||||||
btnClose.TabStop = false;
|
|
||||||
btnClose.Click += btnClose_Click;
|
|
||||||
//
|
|
||||||
// label4
|
|
||||||
//
|
|
||||||
label4.AutoSize = true;
|
|
||||||
label4.Location = new Point(6, 307);
|
|
||||||
label4.Name = "label4";
|
|
||||||
label4.Size = new Size(44, 17);
|
|
||||||
label4.TabIndex = 3;
|
|
||||||
label4.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// btnExecute
|
|
||||||
//
|
|
||||||
btnExecute.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnExecute.Location = new Point(6, 272);
|
|
||||||
btnExecute.Name = "btnExecute";
|
|
||||||
btnExecute.Size = new Size(186, 32);
|
|
||||||
btnExecute.TabIndex = 2;
|
|
||||||
btnExecute.Text = "执行";
|
|
||||||
btnExecute.UseVisualStyleBackColor = true;
|
|
||||||
btnExecute.Click += btnExecute_Click;
|
|
||||||
//
|
|
||||||
// lblElapsed
|
|
||||||
//
|
|
||||||
lblElapsed.AutoSize = true;
|
|
||||||
lblElapsed.Location = new Point(56, 307);
|
|
||||||
lblElapsed.Name = "lblElapsed";
|
|
||||||
lblElapsed.Size = new Size(32, 17);
|
|
||||||
lblElapsed.TabIndex = 4;
|
|
||||||
lblElapsed.Text = "0ms";
|
|
||||||
//
|
|
||||||
// ctrlTitleBar
|
|
||||||
//
|
|
||||||
ctrlTitleBar.Dock = DockStyle.Top;
|
|
||||||
ctrlTitleBar.Location = new Point(0, 0);
|
|
||||||
ctrlTitleBar.MinimumSize = new Size(0, 36);
|
|
||||||
ctrlTitleBar.Name = "ctrlTitleBar";
|
|
||||||
ctrlTitleBar.Padding = new Padding(3);
|
|
||||||
ctrlTitleBar.Size = new Size(198, 36);
|
|
||||||
ctrlTitleBar.TabIndex = 11;
|
|
||||||
ctrlTitleBar.Title = "圆形测量";
|
|
||||||
//
|
|
||||||
// groupBox1
|
|
||||||
//
|
|
||||||
groupBox1.Controls.Add(tbX);
|
|
||||||
groupBox1.Controls.Add(tbY);
|
|
||||||
groupBox1.Controls.Add(tbR);
|
|
||||||
groupBox1.Controls.Add(label3);
|
|
||||||
groupBox1.Controls.Add(label2);
|
|
||||||
groupBox1.Controls.Add(label1);
|
|
||||||
groupBox1.Dock = DockStyle.Top;
|
|
||||||
groupBox1.Location = new Point(0, 36);
|
|
||||||
groupBox1.Name = "groupBox1";
|
|
||||||
groupBox1.Size = new Size(198, 116);
|
|
||||||
groupBox1.TabIndex = 12;
|
|
||||||
groupBox1.TabStop = false;
|
|
||||||
groupBox1.Text = "圆参数";
|
|
||||||
//
|
|
||||||
// label1
|
|
||||||
//
|
|
||||||
label1.AutoSize = true;
|
|
||||||
label1.Location = new Point(6, 25);
|
|
||||||
label1.Name = "label1";
|
|
||||||
label1.Size = new Size(19, 17);
|
|
||||||
label1.TabIndex = 0;
|
|
||||||
label1.Text = "X:";
|
|
||||||
//
|
|
||||||
// label2
|
|
||||||
//
|
|
||||||
label2.AutoSize = true;
|
|
||||||
label2.Location = new Point(6, 54);
|
|
||||||
label2.Name = "label2";
|
|
||||||
label2.Size = new Size(18, 17);
|
|
||||||
label2.TabIndex = 1;
|
|
||||||
label2.Text = "Y:";
|
|
||||||
//
|
|
||||||
// label3
|
|
||||||
//
|
|
||||||
label3.AutoSize = true;
|
|
||||||
label3.Location = new Point(3, 83);
|
|
||||||
label3.Name = "label3";
|
|
||||||
label3.Size = new Size(44, 17);
|
|
||||||
label3.TabIndex = 2;
|
|
||||||
label3.Text = "半径:";
|
|
||||||
//
|
|
||||||
// tbR
|
|
||||||
//
|
|
||||||
tbR.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbR.Location = new Point(56, 80);
|
|
||||||
tbR.Name = "tbR";
|
|
||||||
tbR.Size = new Size(136, 23);
|
|
||||||
tbR.TabIndex = 3;
|
|
||||||
//
|
|
||||||
// tbY
|
|
||||||
//
|
|
||||||
tbY.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbY.Location = new Point(56, 51);
|
|
||||||
tbY.Name = "tbY";
|
|
||||||
tbY.Size = new Size(136, 23);
|
|
||||||
tbY.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// tbX
|
|
||||||
//
|
|
||||||
tbX.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbX.Location = new Point(56, 22);
|
|
||||||
tbX.Name = "tbX";
|
|
||||||
tbX.Size = new Size(136, 23);
|
|
||||||
tbX.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// btnLoadImage
|
|
||||||
//
|
|
||||||
btnLoadImage.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnLoadImage.Location = new Point(6, 158);
|
|
||||||
btnLoadImage.Name = "btnLoadImage";
|
|
||||||
btnLoadImage.Size = new Size(186, 32);
|
|
||||||
btnLoadImage.TabIndex = 13;
|
|
||||||
btnLoadImage.Text = "打开图片";
|
|
||||||
btnLoadImage.UseVisualStyleBackColor = true;
|
|
||||||
btnLoadImage.Click += btnLoadImage_Click;
|
|
||||||
//
|
|
||||||
// btnCreateCircle
|
|
||||||
//
|
|
||||||
btnCreateCircle.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnCreateCircle.Location = new Point(6, 196);
|
|
||||||
btnCreateCircle.Name = "btnCreateCircle";
|
|
||||||
btnCreateCircle.Size = new Size(186, 32);
|
|
||||||
btnCreateCircle.TabIndex = 14;
|
|
||||||
btnCreateCircle.Text = "创建圆形";
|
|
||||||
btnCreateCircle.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateCircle.Click += btnCreateCircle_Click;
|
|
||||||
//
|
|
||||||
// btnSave
|
|
||||||
//
|
|
||||||
btnSave.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnSave.Location = new Point(9, 397);
|
|
||||||
btnSave.Name = "btnSave";
|
|
||||||
btnSave.Size = new Size(186, 32);
|
|
||||||
btnSave.TabIndex = 15;
|
|
||||||
btnSave.Text = "保存数据";
|
|
||||||
btnSave.UseVisualStyleBackColor = true;
|
|
||||||
btnSave.Click += btnSave_Click;
|
|
||||||
//
|
|
||||||
// label6
|
|
||||||
//
|
|
||||||
label6.AutoSize = true;
|
|
||||||
label6.Location = new Point(6, 338);
|
|
||||||
label6.Name = "label6";
|
|
||||||
label6.Size = new Size(44, 17);
|
|
||||||
label6.TabIndex = 16;
|
|
||||||
label6.Text = "结果:";
|
|
||||||
//
|
|
||||||
// lblResult
|
|
||||||
//
|
|
||||||
lblResult.AutoSize = true;
|
|
||||||
lblResult.Location = new Point(56, 338);
|
|
||||||
lblResult.Name = "lblResult";
|
|
||||||
lblResult.Size = new Size(20, 17);
|
|
||||||
lblResult.TabIndex = 17;
|
|
||||||
lblResult.Text = "无";
|
|
||||||
//
|
|
||||||
// panelGuide
|
|
||||||
//
|
|
||||||
panelGuide.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panelGuide.Controls.Add(lblResult);
|
|
||||||
panelGuide.Controls.Add(label6);
|
|
||||||
panelGuide.Controls.Add(btnSave);
|
|
||||||
panelGuide.Controls.Add(btnCreateCircle);
|
|
||||||
panelGuide.Controls.Add(btnLoadImage);
|
|
||||||
panelGuide.Controls.Add(groupBox1);
|
|
||||||
panelGuide.Controls.Add(ctrlTitleBar);
|
|
||||||
panelGuide.Controls.Add(lblElapsed);
|
|
||||||
panelGuide.Controls.Add(btnExecute);
|
|
||||||
panelGuide.Controls.Add(label4);
|
|
||||||
panelGuide.Dock = DockStyle.Fill;
|
|
||||||
panelGuide.Location = new Point(0, 0);
|
|
||||||
panelGuide.Name = "panelGuide";
|
|
||||||
panelGuide.Size = new Size(200, 640);
|
|
||||||
panelGuide.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// GuideCircleCtrl
|
|
||||||
//
|
|
||||||
Controls.Add(splitContainer);
|
|
||||||
Controls.Add(btnClose);
|
|
||||||
Name = "GuideCircleCtrl";
|
|
||||||
Size = new Size(1280, 640);
|
|
||||||
splitContainer.Panel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).EndInit();
|
|
||||||
splitContainer.ResumeLayout(false);
|
|
||||||
panel1.ResumeLayout(false);
|
|
||||||
panel1.PerformLayout();
|
|
||||||
statusStrip1.ResumeLayout(false);
|
|
||||||
statusStrip1.PerformLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)btnClose).EndInit();
|
|
||||||
groupBox1.ResumeLayout(false);
|
|
||||||
groupBox1.PerformLayout();
|
|
||||||
panelGuide.ResumeLayout(false);
|
|
||||||
panelGuide.PerformLayout();
|
|
||||||
ResumeLayout(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private SplitContainer splitContainer;
|
|
||||||
private Panel panel1;
|
|
||||||
private Canvas.UI.FlyCanvas canvas;
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private ToolStripStatusLabel lblStatus;
|
|
||||||
private PictureBox btnClose;
|
|
||||||
private Panel panelGuide;
|
|
||||||
private Label lblResult;
|
|
||||||
private Label label6;
|
|
||||||
private Button btnSave;
|
|
||||||
private Button btnCreateCircle;
|
|
||||||
private Button btnLoadImage;
|
|
||||||
private GroupBox groupBox1;
|
|
||||||
private TextBox tbX;
|
|
||||||
private TextBox tbY;
|
|
||||||
private TextBox tbR;
|
|
||||||
private Label label3;
|
|
||||||
private Label label2;
|
|
||||||
private Label label1;
|
|
||||||
private CtrlTitleBar ctrlTitleBar;
|
|
||||||
private Label lblElapsed;
|
|
||||||
private Button btnExecute;
|
|
||||||
private Label label4;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,359 +0,0 @@
|
|||||||
using CanFly.Canvas.Shape;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
using CanFly.Canvas.Helper;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using HalconDotNet;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using CanFly.Canvas.UI;
|
|
||||||
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
public partial class GuideCircleCtrl : BaseGuideControl
|
|
||||||
{
|
|
||||||
|
|
||||||
private float _x;
|
|
||||||
private float _y;
|
|
||||||
private float _r;
|
|
||||||
private FlyShape? _circle;
|
|
||||||
|
|
||||||
|
|
||||||
protected override string GetScriptFileName() => "CircleMeasure.hdvp";
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public GuideCircleCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
|
|
||||||
this.canvas.mouseMoved += Canvas_mouseMoved;
|
|
||||||
this.canvas.OnShapeUpdateEvent += UpdateShape;
|
|
||||||
this.canvas.selectionChanged += Canvas_selectionChanged;
|
|
||||||
|
|
||||||
this.canvas.OnShapeMoving += Canvas_OnShapeMoving;
|
|
||||||
this.canvas.newShape += Canvas_newShape;
|
|
||||||
|
|
||||||
this.ctrlTitleBar.OnCloseClicked += OnControlClose;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override void UpdateShape(FlyShape shape)
|
|
||||||
{
|
|
||||||
this._circle = shape;
|
|
||||||
|
|
||||||
_x = shape.Points[0].X;
|
|
||||||
_y = shape.Points[0].Y;
|
|
||||||
_r = PointHelper.Distance(shape.Points[0], shape.Points[1]);
|
|
||||||
|
|
||||||
this.tbX.Text = shape.Points[0].X.ToString("F3");
|
|
||||||
this.tbY.Text = shape.Points[0].Y.ToString("F3");
|
|
||||||
this.tbR.Text = _r.ToString("F3");
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnExecute_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if(this.tbX.Text.Trim().Length == 0)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先创建圆形");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
this.canvas.OutsideShapes.Clear();
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
|
|
||||||
flag = new List<double>();
|
|
||||||
x = new List<double>();
|
|
||||||
y = new List<double>();
|
|
||||||
r = new List<double>();
|
|
||||||
Dictionary<string, HObject> inputImg = new Dictionary<string, HObject>();
|
|
||||||
|
|
||||||
if (hImage == null)
|
|
||||||
{
|
|
||||||
HOperatorSet.ReadImage(out hImage, CurrentImageFile);
|
|
||||||
}
|
|
||||||
inputImg["INPUT_Image"] = hImage;
|
|
||||||
|
|
||||||
Dictionary<string, HTuple> inputPara = new Dictionary<string, HTuple>();
|
|
||||||
|
|
||||||
|
|
||||||
inputPara["XCenter"] = _x;
|
|
||||||
inputPara["YCenter"] = _y;
|
|
||||||
inputPara["Radius"] = _r;
|
|
||||||
|
|
||||||
|
|
||||||
List<string> outputKeys = new List<string>()
|
|
||||||
{
|
|
||||||
"OUTPUT_PreTreatedImage",
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"RXCenter",
|
|
||||||
"RYCenter",
|
|
||||||
"RRadius"
|
|
||||||
};
|
|
||||||
|
|
||||||
ExecuteHScript(
|
|
||||||
inputImg,
|
|
||||||
inputPara,
|
|
||||||
outputKeys);
|
|
||||||
|
|
||||||
}
|
|
||||||
List<double> flag = new List<double>(), x=new List<double>(),y=new List<double>(),r=new List<double>();
|
|
||||||
|
|
||||||
protected override void OnExecuteHScriptResult(
|
|
||||||
bool success,
|
|
||||||
Dictionary<string, HTuple> resultDic,
|
|
||||||
int timeElasped)
|
|
||||||
{
|
|
||||||
if (!success)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/*
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"RXCenter",
|
|
||||||
"RYCenter",
|
|
||||||
"RRadius"
|
|
||||||
*/
|
|
||||||
|
|
||||||
//取图?????
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
flag = resultDic["OUTPUT_Flag"].HTupleToDouble();
|
|
||||||
x = resultDic["RXCenter"].HTupleToDouble();
|
|
||||||
y = resultDic["RYCenter"].HTupleToDouble();
|
|
||||||
r = resultDic["RRadius"].HTupleToDouble();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
if (flag.Count > 0)
|
|
||||||
{
|
|
||||||
lblResult.Text = flag[0].ToString();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblResult.Text = "无";
|
|
||||||
}
|
|
||||||
if (flag.Count > 0 && x.Count > 0 && y.Count > 0 && r.Count > 0)
|
|
||||||
{
|
|
||||||
|
|
||||||
//detectResult.VisionImageSet.MLImage = resultDic["RRadius"].GetResultObject("OUTPUT_PreTreatedImage");
|
|
||||||
this.canvas.DrawCircle(new PointF((float)x[0], (float)y[0]), (float)r[0]);
|
|
||||||
lblElapsed.Text = $"{timeElasped} ms";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Test()
|
|
||||||
{
|
|
||||||
string filePath = Path.Combine(_hScriptsDir, GetScriptFileName());
|
|
||||||
if (!File.Exists(filePath))
|
|
||||||
{
|
|
||||||
MessageBox.Show($"文件 {filePath} 不存在");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
HDevEngineTool tool = new HDevEngineTool(_hScriptsDir);
|
|
||||||
tool.LoadProcedure(Path.GetFileNameWithoutExtension(GetScriptFileName()));
|
|
||||||
|
|
||||||
|
|
||||||
if (hImage == null)
|
|
||||||
{
|
|
||||||
HOperatorSet.ReadImage(out hImage, CurrentImageFile);
|
|
||||||
}
|
|
||||||
|
|
||||||
tool.InputImageDic["INPUT_Image"] = hImage;
|
|
||||||
tool.InputTupleDic["XCenter"] = _x;
|
|
||||||
tool.InputTupleDic["YCenter"] = _y;
|
|
||||||
tool.InputTupleDic["Radius"] = _r;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
if (!tool.RunProcedure(out string error, out int timeElasped))
|
|
||||||
{
|
|
||||||
throw new Exception();
|
|
||||||
}
|
|
||||||
|
|
||||||
HTuple hFlag = tool.GetResultTuple("OUTPUT_Flag");
|
|
||||||
|
|
||||||
var flag = tool.GetResultTuple("OUTPUT_Flag").HTupleToDouble();
|
|
||||||
List<double> x = tool.GetResultTuple("RXCenter").HTupleToDouble();
|
|
||||||
var y = tool.GetResultTuple("RYCenter").HTupleToDouble();
|
|
||||||
var r = tool.GetResultTuple("RRadius").HTupleToDouble();
|
|
||||||
if (flag.Count > 0)
|
|
||||||
{
|
|
||||||
lblResult.Text = flag[0].ToString();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblResult.Text = "无";
|
|
||||||
}
|
|
||||||
if (flag.Count > 0 && x.Count > 0 && y.Count > 0 && r.Count > 0)
|
|
||||||
{
|
|
||||||
this.canvas.DrawCircle(new PointF((float)x[0], (float)y[0]), (float)r[0]);
|
|
||||||
lblElapsed.Text = $"{timeElasped} ms";
|
|
||||||
}
|
|
||||||
|
|
||||||
//
|
|
||||||
Debug.WriteLine("");
|
|
||||||
}
|
|
||||||
catch (Exception)
|
|
||||||
{
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
hImage?.Dispose();
|
|
||||||
hImage = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnClose_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OnControlCloseEvent?.Invoke();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OpenImageFile(bitmap =>
|
|
||||||
{
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(Canvas_mouseMoved, pos);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
//if (shapes.Count != 1)
|
|
||||||
//{
|
|
||||||
// // panelGuide.Controls.Clear();
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
// Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnCreateCircle_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
this.tbX.Text = string.Empty;
|
|
||||||
this.tbY.Text = string.Empty;
|
|
||||||
this.tbR.Text = string.Empty;
|
|
||||||
this.canvas.Shapes.Clear();
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Circle);
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_newShape()
|
|
||||||
{
|
|
||||||
|
|
||||||
this.canvas.StopDraw();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnSave_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (lblResult.Text.Equals("无"))
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先进行绘制");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if(lblResult.Text != "0")
|
|
||||||
{
|
|
||||||
MessageBox.Show("测量计算错误,无法保存");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
//List<double> x = tool.GetResultTuple("RXCenter").HTupleToDouble();
|
|
||||||
//var y = tool.GetResultTuple("RYCenter").HTupleToDouble();
|
|
||||||
//var r = tool.GetResultTuple("RRadius").HTupleToDouble();
|
|
||||||
//tool.InputTupleDic["XCenter"] = _x;
|
|
||||||
//tool.InputTupleDic["YCenter"] = _y;
|
|
||||||
//tool.InputTupleDic["Radius"] = _r;
|
|
||||||
string inputput = $"XCenter:{string.Join(";", _x)};YCenter:{string.Join(";", _y)};RRadius:{string.Join(";", _r)}";
|
|
||||||
string output = $"RXCenter:{string.Join(";", x[0])};RYCenter:{string.Join(";", y[0])};RRadius:{string.Join(";", r[0])}";
|
|
||||||
|
|
||||||
DataToTriggerEvent(inputput,output);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,145 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<data name="canvas.OutsideShapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<data name="canvas.Shapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
446
CanFly/UI/GuidePanel/GuideHeightCtrl.Designer.cs
generated
446
CanFly/UI/GuidePanel/GuideHeightCtrl.Designer.cs
generated
@ -1,446 +0,0 @@
|
|||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
partial class GuideHeightCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(GuideHeightCtrl));
|
|
||||||
lblElapsed = new Label();
|
|
||||||
label4 = new Label();
|
|
||||||
splitContainer = new SplitContainer();
|
|
||||||
panelGuide = new Panel();
|
|
||||||
btnSave = new Button();
|
|
||||||
lblResult = new Label();
|
|
||||||
label1 = new Label();
|
|
||||||
btnCreateLine = new Button();
|
|
||||||
btnLoadImage = new Button();
|
|
||||||
label9 = new Label();
|
|
||||||
btnExecute = new Button();
|
|
||||||
label10 = new Label();
|
|
||||||
groupBox2 = new GroupBox();
|
|
||||||
tbheight = new TextBox();
|
|
||||||
lbheight = new Label();
|
|
||||||
tbwidth = new TextBox();
|
|
||||||
label2 = new Label();
|
|
||||||
tbLineX2 = new TextBox();
|
|
||||||
label8 = new Label();
|
|
||||||
tbLineY2 = new TextBox();
|
|
||||||
label5 = new Label();
|
|
||||||
tbLineX1 = new TextBox();
|
|
||||||
tbLineY1 = new TextBox();
|
|
||||||
label6 = new Label();
|
|
||||||
label7 = new Label();
|
|
||||||
ctrlTitleBar = new CtrlTitleBar();
|
|
||||||
panel1 = new Panel();
|
|
||||||
canvas = new Canvas.UI.FlyCanvas();
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
lblStatus = new ToolStripStatusLabel();
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).BeginInit();
|
|
||||||
splitContainer.Panel1.SuspendLayout();
|
|
||||||
splitContainer.Panel2.SuspendLayout();
|
|
||||||
splitContainer.SuspendLayout();
|
|
||||||
panelGuide.SuspendLayout();
|
|
||||||
groupBox2.SuspendLayout();
|
|
||||||
panel1.SuspendLayout();
|
|
||||||
statusStrip1.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// lblElapsed
|
|
||||||
//
|
|
||||||
lblElapsed.AutoSize = true;
|
|
||||||
lblElapsed.Location = new Point(50, 328);
|
|
||||||
lblElapsed.Name = "lblElapsed";
|
|
||||||
lblElapsed.Size = new Size(32, 17);
|
|
||||||
lblElapsed.TabIndex = 9;
|
|
||||||
lblElapsed.Text = "0ms";
|
|
||||||
//
|
|
||||||
// label4
|
|
||||||
//
|
|
||||||
label4.AutoSize = true;
|
|
||||||
label4.Location = new Point(0, 328);
|
|
||||||
label4.Name = "label4";
|
|
||||||
label4.Size = new Size(44, 17);
|
|
||||||
label4.TabIndex = 8;
|
|
||||||
label4.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// splitContainer
|
|
||||||
//
|
|
||||||
splitContainer.Dock = DockStyle.Fill;
|
|
||||||
splitContainer.Location = new Point(0, 0);
|
|
||||||
splitContainer.Name = "splitContainer";
|
|
||||||
//
|
|
||||||
// splitContainer.Panel1
|
|
||||||
//
|
|
||||||
splitContainer.Panel1.Controls.Add(panelGuide);
|
|
||||||
splitContainer.Panel1MinSize = 150;
|
|
||||||
//
|
|
||||||
// splitContainer.Panel2
|
|
||||||
//
|
|
||||||
splitContainer.Panel2.Controls.Add(panel1);
|
|
||||||
splitContainer.Size = new Size(1280, 640);
|
|
||||||
splitContainer.SplitterDistance = 200;
|
|
||||||
splitContainer.TabIndex = 11;
|
|
||||||
//
|
|
||||||
// panelGuide
|
|
||||||
//
|
|
||||||
panelGuide.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panelGuide.Controls.Add(btnSave);
|
|
||||||
panelGuide.Controls.Add(lblResult);
|
|
||||||
panelGuide.Controls.Add(label1);
|
|
||||||
panelGuide.Controls.Add(btnCreateLine);
|
|
||||||
panelGuide.Controls.Add(btnLoadImage);
|
|
||||||
panelGuide.Controls.Add(label9);
|
|
||||||
panelGuide.Controls.Add(btnExecute);
|
|
||||||
panelGuide.Controls.Add(label10);
|
|
||||||
panelGuide.Controls.Add(groupBox2);
|
|
||||||
panelGuide.Controls.Add(ctrlTitleBar);
|
|
||||||
panelGuide.Dock = DockStyle.Fill;
|
|
||||||
panelGuide.Location = new Point(0, 0);
|
|
||||||
panelGuide.Name = "panelGuide";
|
|
||||||
panelGuide.Size = new Size(200, 640);
|
|
||||||
panelGuide.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// btnSave
|
|
||||||
//
|
|
||||||
btnSave.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnSave.Location = new Point(2, 419);
|
|
||||||
btnSave.Name = "btnSave";
|
|
||||||
btnSave.Size = new Size(186, 32);
|
|
||||||
btnSave.TabIndex = 23;
|
|
||||||
btnSave.Text = "保存数据";
|
|
||||||
btnSave.UseVisualStyleBackColor = true;
|
|
||||||
btnSave.Click += btnSave_Click;
|
|
||||||
//
|
|
||||||
// lblResult
|
|
||||||
//
|
|
||||||
lblResult.AutoSize = true;
|
|
||||||
lblResult.Location = new Point(59, 354);
|
|
||||||
lblResult.Name = "lblResult";
|
|
||||||
lblResult.Size = new Size(20, 17);
|
|
||||||
lblResult.TabIndex = 22;
|
|
||||||
lblResult.Text = "无";
|
|
||||||
//
|
|
||||||
// label1
|
|
||||||
//
|
|
||||||
label1.AutoSize = true;
|
|
||||||
label1.Location = new Point(9, 354);
|
|
||||||
label1.Name = "label1";
|
|
||||||
label1.Size = new Size(44, 17);
|
|
||||||
label1.TabIndex = 21;
|
|
||||||
label1.Text = "结果:";
|
|
||||||
//
|
|
||||||
// btnCreateLine
|
|
||||||
//
|
|
||||||
btnCreateLine.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnCreateLine.Location = new Point(9, 252);
|
|
||||||
btnCreateLine.Name = "btnCreateLine";
|
|
||||||
btnCreateLine.Size = new Size(186, 32);
|
|
||||||
btnCreateLine.TabIndex = 20;
|
|
||||||
btnCreateLine.Text = "创建矩形";
|
|
||||||
btnCreateLine.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateLine.Click += btnCreateLine_Click;
|
|
||||||
//
|
|
||||||
// btnLoadImage
|
|
||||||
//
|
|
||||||
btnLoadImage.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnLoadImage.Location = new Point(6, 214);
|
|
||||||
btnLoadImage.Name = "btnLoadImage";
|
|
||||||
btnLoadImage.Size = new Size(186, 32);
|
|
||||||
btnLoadImage.TabIndex = 18;
|
|
||||||
btnLoadImage.Text = "打开图片";
|
|
||||||
btnLoadImage.UseVisualStyleBackColor = true;
|
|
||||||
btnLoadImage.Click += btnLoadImage_Click;
|
|
||||||
//
|
|
||||||
// label9
|
|
||||||
//
|
|
||||||
label9.AutoSize = true;
|
|
||||||
label9.Location = new Point(59, 325);
|
|
||||||
label9.Name = "label9";
|
|
||||||
label9.Size = new Size(32, 17);
|
|
||||||
label9.TabIndex = 17;
|
|
||||||
label9.Text = "0ms";
|
|
||||||
//
|
|
||||||
// btnExecute
|
|
||||||
//
|
|
||||||
btnExecute.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnExecute.Location = new Point(9, 290);
|
|
||||||
btnExecute.Name = "btnExecute";
|
|
||||||
btnExecute.Size = new Size(186, 32);
|
|
||||||
btnExecute.TabIndex = 15;
|
|
||||||
btnExecute.Text = "执行";
|
|
||||||
btnExecute.UseVisualStyleBackColor = true;
|
|
||||||
btnExecute.Click += btnExecute_Click;
|
|
||||||
//
|
|
||||||
// label10
|
|
||||||
//
|
|
||||||
label10.AutoSize = true;
|
|
||||||
label10.Location = new Point(9, 325);
|
|
||||||
label10.Name = "label10";
|
|
||||||
label10.Size = new Size(44, 17);
|
|
||||||
label10.TabIndex = 16;
|
|
||||||
label10.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// groupBox2
|
|
||||||
//
|
|
||||||
groupBox2.Controls.Add(tbheight);
|
|
||||||
groupBox2.Controls.Add(lbheight);
|
|
||||||
groupBox2.Controls.Add(tbwidth);
|
|
||||||
groupBox2.Controls.Add(label2);
|
|
||||||
groupBox2.Controls.Add(tbLineX2);
|
|
||||||
groupBox2.Controls.Add(label8);
|
|
||||||
groupBox2.Controls.Add(tbLineY2);
|
|
||||||
groupBox2.Controls.Add(label5);
|
|
||||||
groupBox2.Controls.Add(tbLineX1);
|
|
||||||
groupBox2.Controls.Add(tbLineY1);
|
|
||||||
groupBox2.Controls.Add(label6);
|
|
||||||
groupBox2.Controls.Add(label7);
|
|
||||||
groupBox2.Dock = DockStyle.Top;
|
|
||||||
groupBox2.Location = new Point(0, 36);
|
|
||||||
groupBox2.Name = "groupBox2";
|
|
||||||
groupBox2.Size = new Size(198, 172);
|
|
||||||
groupBox2.TabIndex = 13;
|
|
||||||
groupBox2.TabStop = false;
|
|
||||||
groupBox2.Text = "线参数";
|
|
||||||
//
|
|
||||||
// tbheight
|
|
||||||
//
|
|
||||||
tbheight.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbheight.Location = new Point(126, 140);
|
|
||||||
tbheight.Name = "tbheight";
|
|
||||||
tbheight.Size = new Size(66, 23);
|
|
||||||
tbheight.TabIndex = 13;
|
|
||||||
//
|
|
||||||
// lbheight
|
|
||||||
//
|
|
||||||
lbheight.AutoSize = true;
|
|
||||||
lbheight.Location = new Point(97, 143);
|
|
||||||
lbheight.Name = "lbheight";
|
|
||||||
lbheight.Size = new Size(23, 17);
|
|
||||||
lbheight.TabIndex = 12;
|
|
||||||
lbheight.Text = "高:";
|
|
||||||
//
|
|
||||||
// tbwidth
|
|
||||||
//
|
|
||||||
tbwidth.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbwidth.Location = new Point(27, 140);
|
|
||||||
tbwidth.Name = "tbwidth";
|
|
||||||
tbwidth.Size = new Size(64, 23);
|
|
||||||
tbwidth.TabIndex = 11;
|
|
||||||
//
|
|
||||||
// label2
|
|
||||||
//
|
|
||||||
label2.AutoSize = true;
|
|
||||||
label2.Location = new Point(6, 143);
|
|
||||||
label2.Name = "label2";
|
|
||||||
label2.Size = new Size(23, 17);
|
|
||||||
label2.TabIndex = 10;
|
|
||||||
label2.Text = "宽:";
|
|
||||||
//
|
|
||||||
// tbLineX2
|
|
||||||
//
|
|
||||||
tbLineX2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineX2.Location = new Point(56, 80);
|
|
||||||
tbLineX2.Name = "tbLineX2";
|
|
||||||
tbLineX2.Size = new Size(136, 23);
|
|
||||||
tbLineX2.TabIndex = 9;
|
|
||||||
//
|
|
||||||
// label8
|
|
||||||
//
|
|
||||||
label8.AutoSize = true;
|
|
||||||
label8.Location = new Point(6, 83);
|
|
||||||
label8.Name = "label8";
|
|
||||||
label8.Size = new Size(26, 17);
|
|
||||||
label8.TabIndex = 8;
|
|
||||||
label8.Text = "X2:";
|
|
||||||
//
|
|
||||||
// tbLineY2
|
|
||||||
//
|
|
||||||
tbLineY2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineY2.Location = new Point(56, 109);
|
|
||||||
tbLineY2.Name = "tbLineY2";
|
|
||||||
tbLineY2.Size = new Size(136, 23);
|
|
||||||
tbLineY2.TabIndex = 7;
|
|
||||||
//
|
|
||||||
// label5
|
|
||||||
//
|
|
||||||
label5.AutoSize = true;
|
|
||||||
label5.Location = new Point(6, 112);
|
|
||||||
label5.Name = "label5";
|
|
||||||
label5.Size = new Size(25, 17);
|
|
||||||
label5.TabIndex = 6;
|
|
||||||
label5.Text = "Y2:";
|
|
||||||
//
|
|
||||||
// tbLineX1
|
|
||||||
//
|
|
||||||
tbLineX1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineX1.Location = new Point(56, 22);
|
|
||||||
tbLineX1.Name = "tbLineX1";
|
|
||||||
tbLineX1.Size = new Size(136, 23);
|
|
||||||
tbLineX1.TabIndex = 5;
|
|
||||||
tbLineX1.TextChanged += tbLineX1_TextChanged;
|
|
||||||
//
|
|
||||||
// tbLineY1
|
|
||||||
//
|
|
||||||
tbLineY1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineY1.Location = new Point(56, 51);
|
|
||||||
tbLineY1.Name = "tbLineY1";
|
|
||||||
tbLineY1.Size = new Size(136, 23);
|
|
||||||
tbLineY1.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// label6
|
|
||||||
//
|
|
||||||
label6.AutoSize = true;
|
|
||||||
label6.Location = new Point(6, 54);
|
|
||||||
label6.Name = "label6";
|
|
||||||
label6.Size = new Size(25, 17);
|
|
||||||
label6.TabIndex = 1;
|
|
||||||
label6.Text = "Y1:";
|
|
||||||
//
|
|
||||||
// label7
|
|
||||||
//
|
|
||||||
label7.AutoSize = true;
|
|
||||||
label7.Location = new Point(6, 25);
|
|
||||||
label7.Name = "label7";
|
|
||||||
label7.Size = new Size(26, 17);
|
|
||||||
label7.TabIndex = 0;
|
|
||||||
label7.Text = "X1:";
|
|
||||||
//
|
|
||||||
// ctrlTitleBar
|
|
||||||
//
|
|
||||||
ctrlTitleBar.Dock = DockStyle.Top;
|
|
||||||
ctrlTitleBar.Location = new Point(0, 0);
|
|
||||||
ctrlTitleBar.MinimumSize = new Size(0, 36);
|
|
||||||
ctrlTitleBar.Name = "ctrlTitleBar";
|
|
||||||
ctrlTitleBar.Padding = new Padding(3);
|
|
||||||
ctrlTitleBar.Size = new Size(198, 36);
|
|
||||||
ctrlTitleBar.TabIndex = 11;
|
|
||||||
ctrlTitleBar.Title = "高度测量";
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
panel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panel1.Controls.Add(canvas);
|
|
||||||
panel1.Controls.Add(statusStrip1);
|
|
||||||
panel1.Dock = DockStyle.Fill;
|
|
||||||
panel1.Location = new Point(0, 0);
|
|
||||||
panel1.Name = "panel1";
|
|
||||||
panel1.Size = new Size(1076, 640);
|
|
||||||
panel1.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// canvas
|
|
||||||
//
|
|
||||||
canvas.AllowMultiSelect = false;
|
|
||||||
canvas.CreateMode = Canvas.Shape.ShapeTypeEnum.Polygon;
|
|
||||||
canvas.Dock = DockStyle.Fill;
|
|
||||||
canvas.Enabled = false;
|
|
||||||
canvas.FillDrawing = false;
|
|
||||||
canvas.Location = new Point(0, 0);
|
|
||||||
canvas.Margin = new Padding(2);
|
|
||||||
canvas.Name = "canvas";
|
|
||||||
canvas.OutsideShapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.OutsideShapes");
|
|
||||||
canvas.Scale = 1F;
|
|
||||||
canvas.Shapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.Shapes");
|
|
||||||
canvas.Size = new Size(1074, 616);
|
|
||||||
canvas.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Items.AddRange(new ToolStripItem[] { lblStatus });
|
|
||||||
statusStrip1.Location = new Point(0, 616);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(1074, 22);
|
|
||||||
statusStrip1.TabIndex = 1;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// lblStatus
|
|
||||||
//
|
|
||||||
lblStatus.Name = "lblStatus";
|
|
||||||
lblStatus.Size = new Size(44, 17);
|
|
||||||
lblStatus.Text = " ";
|
|
||||||
//
|
|
||||||
// GuideHeightCtrl
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Controls.Add(splitContainer);
|
|
||||||
Controls.Add(lblElapsed);
|
|
||||||
Controls.Add(label4);
|
|
||||||
Name = "GuideHeightCtrl";
|
|
||||||
Size = new Size(1280, 640);
|
|
||||||
Load += GuideLineCircleCtrl_Load;
|
|
||||||
splitContainer.Panel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).EndInit();
|
|
||||||
splitContainer.ResumeLayout(false);
|
|
||||||
panelGuide.ResumeLayout(false);
|
|
||||||
panelGuide.PerformLayout();
|
|
||||||
groupBox2.ResumeLayout(false);
|
|
||||||
groupBox2.PerformLayout();
|
|
||||||
panel1.ResumeLayout(false);
|
|
||||||
panel1.PerformLayout();
|
|
||||||
statusStrip1.ResumeLayout(false);
|
|
||||||
statusStrip1.PerformLayout();
|
|
||||||
ResumeLayout(false);
|
|
||||||
PerformLayout();
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private Label lblElapsed;
|
|
||||||
private Label label4;
|
|
||||||
|
|
||||||
private SplitContainer splitContainer;
|
|
||||||
private Panel panelGuide;
|
|
||||||
private Panel panel1;
|
|
||||||
private Canvas.UI.FlyCanvas canvas;
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private ToolStripStatusLabel lblStatus;
|
|
||||||
private GroupBox groupBox2;
|
|
||||||
private TextBox tbLineX2;
|
|
||||||
private Label label8;
|
|
||||||
private TextBox tbLineY2;
|
|
||||||
private Label label5;
|
|
||||||
private TextBox tbLineX1;
|
|
||||||
private TextBox tbLineY1;
|
|
||||||
private Label label6;
|
|
||||||
private Label label7;
|
|
||||||
private CtrlTitleBar ctrlTitleBar;
|
|
||||||
private Button btnLoadImage;
|
|
||||||
private Label label9;
|
|
||||||
private Button btnExecute;
|
|
||||||
private Label label10;
|
|
||||||
private Button btnCreateLine;
|
|
||||||
private TextBox tbRectWidth1;
|
|
||||||
private Label lblResult;
|
|
||||||
private Label label1;
|
|
||||||
private Button btnSave;
|
|
||||||
private TextBox tbheight;
|
|
||||||
private Label lbheight;
|
|
||||||
private TextBox tbwidth;
|
|
||||||
private Label label2;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,346 +0,0 @@
|
|||||||
using CanFly.Canvas.Helper;
|
|
||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Canvas.UI;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using HalconDotNet;
|
|
||||||
using OpenCvSharp;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
public partial class GuideHeightCtrl : BaseGuideControl
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private FlyShape? _line;
|
|
||||||
|
|
||||||
|
|
||||||
private float _lineX1;
|
|
||||||
private float _lineY1;
|
|
||||||
private float _lineX2;
|
|
||||||
private float _lineY2;
|
|
||||||
float width, height;
|
|
||||||
private float _lineWidth;
|
|
||||||
private PointF[] _rectPoints = new PointF[4];
|
|
||||||
//private float _LineLX=new float();
|
|
||||||
//private float _LineLY =new float();
|
|
||||||
//private float _LineRX =new float();
|
|
||||||
//private float _LineRY =new float();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override string GetScriptFileName() => "HeightMeasure.hdvp";
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public GuideHeightCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
this.canvas.mouseMoved += Canvas_mouseMoved;
|
|
||||||
this.canvas.OnShapeUpdateEvent += UpdateShape;
|
|
||||||
this.canvas.selectionChanged += Canvas_selectionChanged;
|
|
||||||
|
|
||||||
this.canvas.OnShapeMoving += Canvas_OnShapeMoving;
|
|
||||||
this.canvas.newShape += Canvas_newShape;
|
|
||||||
|
|
||||||
this.ctrlTitleBar.OnCloseClicked += OnControlClose;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override void UpdateShape(FlyShape shape)
|
|
||||||
{
|
|
||||||
switch (shape.ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Rectangle:
|
|
||||||
this._line = shape;
|
|
||||||
|
|
||||||
var pts = this._line.Points;
|
|
||||||
|
|
||||||
_lineX1 = pts[0].X;
|
|
||||||
_lineY1 = pts[0].Y;
|
|
||||||
_lineX2 = pts[1].X;
|
|
||||||
_lineY2 = pts[1].Y;
|
|
||||||
_lineWidth = shape.LineVirtualRectWidth;
|
|
||||||
_rectPoints = shape.LineVirtualRectPoints;
|
|
||||||
//_LineLX = (shape.LineVirtualRectPoints[0].X + shape.LineVirtualRectPoints[3].X) / 2;
|
|
||||||
//_LineLY = (shape.LineVirtualRectPoints[0].Y + shape.LineVirtualRectPoints[3].Y) / 2;
|
|
||||||
//_LineRX = (shape.LineVirtualRectPoints[1].X + shape.LineVirtualRectPoints[2].X) / 2;
|
|
||||||
//_LineRY = (shape.LineVirtualRectPoints[1].Y + shape.LineVirtualRectPoints[2].Y) / 2;
|
|
||||||
|
|
||||||
width = Math.Abs(_lineX2 - _lineX1);
|
|
||||||
height = Math.Abs(_lineY2 - _lineY1);
|
|
||||||
|
|
||||||
|
|
||||||
tbLineX1.Text = _lineX1.ToString("F3");
|
|
||||||
tbLineY1.Text = _lineY1.ToString("F3");
|
|
||||||
tbLineX2.Text = _lineX2.ToString("F3");
|
|
||||||
tbLineY2.Text = _lineY2.ToString("F3");
|
|
||||||
tbwidth.Text = width.ToString();
|
|
||||||
tbheight.Text = height.ToString();
|
|
||||||
// NumRectWidth1.Value = (decimal)_lineWidth;
|
|
||||||
break;
|
|
||||||
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void GuideLineCircleCtrl_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(Canvas_mouseMoved, pos);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
//if (shapes.Count != 1)
|
|
||||||
//{
|
|
||||||
// // panelGuide.Controls.Clear();
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
// Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnCreateLine_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
tbLineX1.Text = string.Empty;
|
|
||||||
tbLineY1.Text = string.Empty;
|
|
||||||
tbLineX2.Text = string.Empty;
|
|
||||||
tbLineY2.Text = string.Empty; ;
|
|
||||||
tbwidth.Text = string.Empty; ;
|
|
||||||
tbheight.Text = string.Empty; ;
|
|
||||||
this.canvas.Shapes.RemoveAll(shp => shp.ShapeType == ShapeTypeEnum.Rectangle);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Rectangle);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OpenImageFile(bitmap =>
|
|
||||||
{
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
|
|
||||||
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_newShape()
|
|
||||||
{
|
|
||||||
this.canvas.StopDraw();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnExecute_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (this.tbLineX1.Text.Trim().Length == 0)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先创建矩形");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
this.canvas.OutsideShapes.Clear();
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
|
|
||||||
|
|
||||||
flag = new List<double>();
|
|
||||||
|
|
||||||
Line1Para = new List<double>();
|
|
||||||
Line2Para = new List<double>();
|
|
||||||
iHeight = new List<double>();
|
|
||||||
Dictionary<string, HObject> inputImg = new Dictionary<string, HObject>();
|
|
||||||
|
|
||||||
if (hImage == null)
|
|
||||||
{
|
|
||||||
HOperatorSet.ReadImage(out hImage, CurrentImageFile);
|
|
||||||
}
|
|
||||||
inputImg["INPUT_Image"] = hImage;
|
|
||||||
|
|
||||||
|
|
||||||
Dictionary<string, HTuple> inputPara = new Dictionary<string, HTuple>();
|
|
||||||
|
|
||||||
|
|
||||||
inputPara["row"] = _lineY1;
|
|
||||||
inputPara["column"] = _lineX1;
|
|
||||||
inputPara["Width"] = width;
|
|
||||||
inputPara["Height"] = height;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
List<string> outputKeys = new List<string>()
|
|
||||||
{
|
|
||||||
"OUTPUT_PreTreatedImage",
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
|
|
||||||
"Line1Para",
|
|
||||||
"Line2Para",
|
|
||||||
"iHeight"
|
|
||||||
};
|
|
||||||
|
|
||||||
ExecuteHScript(
|
|
||||||
inputImg,
|
|
||||||
inputPara,
|
|
||||||
outputKeys);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
List<double> flag = new List<double>();
|
|
||||||
List<double> Line1Para = new List<double>();
|
|
||||||
List<double> Line2Para = new List<double>();
|
|
||||||
|
|
||||||
List<double> iHeight = new List<double>();
|
|
||||||
|
|
||||||
|
|
||||||
protected override void OnExecuteHScriptResult(
|
|
||||||
bool success,
|
|
||||||
Dictionary<string, HTuple> resultDic,
|
|
||||||
int timeElasped)
|
|
||||||
{
|
|
||||||
if (!success)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/*
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"RXCenter",
|
|
||||||
"RYCenter",
|
|
||||||
"RRadius"
|
|
||||||
*/
|
|
||||||
|
|
||||||
flag = resultDic["OUTPUT_Flag"].HTupleToDouble();
|
|
||||||
|
|
||||||
Line1Para = resultDic["Line1Para"].HTupleToDouble();
|
|
||||||
Line2Para = resultDic["Line2Para"].HTupleToDouble();
|
|
||||||
// EndRow = resultDic["EndRow"].HTupleToDouble();
|
|
||||||
//EndCloumn = resultDic["EndColumn"].HTupleToDouble();
|
|
||||||
iHeight = resultDic["iHeight"].HTupleToDouble();
|
|
||||||
|
|
||||||
if (flag.Count > 0)
|
|
||||||
{
|
|
||||||
lblResult.Text = flag[0].ToString();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblResult.Text = "无";
|
|
||||||
}
|
|
||||||
if (flag.Count > 0 && Line1Para.Count == 4 && Line2Para.Count == 4 && iHeight.Count > 0)
|
|
||||||
{
|
|
||||||
float width = 0;
|
|
||||||
this.canvas.DrawLine(new PointF((float)Line1Para[1], (float)Line1Para[0]), new PointF((float)Line1Para[3], (float)Line1Para[2]), 0);
|
|
||||||
this.canvas.DrawLine(new PointF((float)Line2Para[1], (float)Line2Para[0]), new PointF((float)Line2Para[3], (float)Line2Para[2]), 0);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
lblElapsed.Text = $"{timeElasped} ms";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnSave_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (lblResult.Text.Equals("无"))
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先进行绘制");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (lblResult.Text != "0")
|
|
||||||
{
|
|
||||||
MessageBox.Show("测量计算错误,无法保存");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
string input = $"row:{string.Join(";", _lineY1)};column:{string.Join(";", _lineX1)};" +
|
|
||||||
$"Width:{string.Join(";", width)};Height:{string.Join(";", height)}";
|
|
||||||
|
|
||||||
string output = $"iHeight:{string.Join(";", iHeight[0])}";
|
|
||||||
DataToTriggerEvent(input, output);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tbLineX1_TextChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,145 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<data name="canvas.OutsideShapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<data name="canvas.Shapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
550
CanFly/UI/GuidePanel/GuideLineCircleCtrl.Designer.cs
generated
550
CanFly/UI/GuidePanel/GuideLineCircleCtrl.Designer.cs
generated
@ -1,550 +0,0 @@
|
|||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
partial class GuideLineCircleCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(GuideLineCircleCtrl));
|
|
||||||
lblElapsed = new Label();
|
|
||||||
label4 = new Label();
|
|
||||||
splitContainer = new SplitContainer();
|
|
||||||
panelGuide = new Panel();
|
|
||||||
lblDistance = new Label();
|
|
||||||
label17 = new Label();
|
|
||||||
lblResult = new Label();
|
|
||||||
label15 = new Label();
|
|
||||||
btnCreateLine = new Button();
|
|
||||||
btnCreateCircle = new Button();
|
|
||||||
btnLoadImage = new Button();
|
|
||||||
label9 = new Label();
|
|
||||||
btnExecute = new Button();
|
|
||||||
label10 = new Label();
|
|
||||||
groupBox2 = new GroupBox();
|
|
||||||
NumRectWidth1 = new NumericUpDown();
|
|
||||||
label11 = new Label();
|
|
||||||
tbLineX2 = new TextBox();
|
|
||||||
label8 = new Label();
|
|
||||||
tbLineY2 = new TextBox();
|
|
||||||
label5 = new Label();
|
|
||||||
tbLineX1 = new TextBox();
|
|
||||||
tbLineY1 = new TextBox();
|
|
||||||
label6 = new Label();
|
|
||||||
label7 = new Label();
|
|
||||||
groupBox1 = new GroupBox();
|
|
||||||
tbCircleX = new TextBox();
|
|
||||||
tbCircleY = new TextBox();
|
|
||||||
tbCircleR = new TextBox();
|
|
||||||
label3 = new Label();
|
|
||||||
label2 = new Label();
|
|
||||||
label1 = new Label();
|
|
||||||
ctrlTitleBar = new CtrlTitleBar();
|
|
||||||
panel1 = new Panel();
|
|
||||||
canvas = new Canvas.UI.FlyCanvas();
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
lblStatus = new ToolStripStatusLabel();
|
|
||||||
btnSave = new Button();
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).BeginInit();
|
|
||||||
splitContainer.Panel1.SuspendLayout();
|
|
||||||
splitContainer.Panel2.SuspendLayout();
|
|
||||||
splitContainer.SuspendLayout();
|
|
||||||
panelGuide.SuspendLayout();
|
|
||||||
groupBox2.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth1).BeginInit();
|
|
||||||
groupBox1.SuspendLayout();
|
|
||||||
panel1.SuspendLayout();
|
|
||||||
statusStrip1.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// lblElapsed
|
|
||||||
//
|
|
||||||
lblElapsed.AutoSize = true;
|
|
||||||
lblElapsed.Location = new Point(50, 328);
|
|
||||||
lblElapsed.Name = "lblElapsed";
|
|
||||||
lblElapsed.Size = new Size(32, 17);
|
|
||||||
lblElapsed.TabIndex = 9;
|
|
||||||
lblElapsed.Text = "0ms";
|
|
||||||
//
|
|
||||||
// label4
|
|
||||||
//
|
|
||||||
label4.AutoSize = true;
|
|
||||||
label4.Location = new Point(0, 328);
|
|
||||||
label4.Name = "label4";
|
|
||||||
label4.Size = new Size(44, 17);
|
|
||||||
label4.TabIndex = 8;
|
|
||||||
label4.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// splitContainer
|
|
||||||
//
|
|
||||||
splitContainer.Dock = DockStyle.Fill;
|
|
||||||
splitContainer.Location = new Point(0, 0);
|
|
||||||
splitContainer.Name = "splitContainer";
|
|
||||||
//
|
|
||||||
// splitContainer.Panel1
|
|
||||||
//
|
|
||||||
splitContainer.Panel1.Controls.Add(panelGuide);
|
|
||||||
splitContainer.Panel1MinSize = 150;
|
|
||||||
//
|
|
||||||
// splitContainer.Panel2
|
|
||||||
//
|
|
||||||
splitContainer.Panel2.Controls.Add(panel1);
|
|
||||||
splitContainer.Size = new Size(1280, 640);
|
|
||||||
splitContainer.SplitterDistance = 200;
|
|
||||||
splitContainer.TabIndex = 11;
|
|
||||||
//
|
|
||||||
// panelGuide
|
|
||||||
//
|
|
||||||
panelGuide.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panelGuide.Controls.Add(btnSave);
|
|
||||||
panelGuide.Controls.Add(lblDistance);
|
|
||||||
panelGuide.Controls.Add(label17);
|
|
||||||
panelGuide.Controls.Add(lblResult);
|
|
||||||
panelGuide.Controls.Add(label15);
|
|
||||||
panelGuide.Controls.Add(btnCreateLine);
|
|
||||||
panelGuide.Controls.Add(btnCreateCircle);
|
|
||||||
panelGuide.Controls.Add(btnLoadImage);
|
|
||||||
panelGuide.Controls.Add(label9);
|
|
||||||
panelGuide.Controls.Add(btnExecute);
|
|
||||||
panelGuide.Controls.Add(label10);
|
|
||||||
panelGuide.Controls.Add(groupBox2);
|
|
||||||
panelGuide.Controls.Add(groupBox1);
|
|
||||||
panelGuide.Controls.Add(ctrlTitleBar);
|
|
||||||
panelGuide.Dock = DockStyle.Fill;
|
|
||||||
panelGuide.Location = new Point(0, 0);
|
|
||||||
panelGuide.Name = "panelGuide";
|
|
||||||
panelGuide.Size = new Size(200, 640);
|
|
||||||
panelGuide.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// lblDistance
|
|
||||||
//
|
|
||||||
lblDistance.AutoSize = true;
|
|
||||||
lblDistance.Location = new Point(54, 505);
|
|
||||||
lblDistance.Name = "lblDistance";
|
|
||||||
lblDistance.Size = new Size(15, 17);
|
|
||||||
lblDistance.TabIndex = 29;
|
|
||||||
lblDistance.Text = "0";
|
|
||||||
//
|
|
||||||
// label17
|
|
||||||
//
|
|
||||||
label17.AutoSize = true;
|
|
||||||
label17.Location = new Point(6, 505);
|
|
||||||
label17.Name = "label17";
|
|
||||||
label17.Size = new Size(44, 17);
|
|
||||||
label17.TabIndex = 28;
|
|
||||||
label17.Text = "距离:";
|
|
||||||
//
|
|
||||||
// lblResult
|
|
||||||
//
|
|
||||||
lblResult.AutoSize = true;
|
|
||||||
lblResult.Location = new Point(54, 479);
|
|
||||||
lblResult.Name = "lblResult";
|
|
||||||
lblResult.Size = new Size(20, 17);
|
|
||||||
lblResult.TabIndex = 27;
|
|
||||||
lblResult.Text = "无";
|
|
||||||
//
|
|
||||||
// label15
|
|
||||||
//
|
|
||||||
label15.AutoSize = true;
|
|
||||||
label15.Location = new Point(6, 479);
|
|
||||||
label15.Name = "label15";
|
|
||||||
label15.Size = new Size(44, 17);
|
|
||||||
label15.TabIndex = 26;
|
|
||||||
label15.Text = "结果:";
|
|
||||||
//
|
|
||||||
// btnCreateLine
|
|
||||||
//
|
|
||||||
btnCreateLine.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnCreateLine.Location = new Point(6, 406);
|
|
||||||
btnCreateLine.Name = "btnCreateLine";
|
|
||||||
btnCreateLine.Size = new Size(186, 32);
|
|
||||||
btnCreateLine.TabIndex = 20;
|
|
||||||
btnCreateLine.Text = "创建直线";
|
|
||||||
btnCreateLine.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateLine.Click += btnCreateLine_Click;
|
|
||||||
//
|
|
||||||
// btnCreateCircle
|
|
||||||
//
|
|
||||||
btnCreateCircle.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnCreateCircle.Location = new Point(6, 368);
|
|
||||||
btnCreateCircle.Name = "btnCreateCircle";
|
|
||||||
btnCreateCircle.Size = new Size(186, 32);
|
|
||||||
btnCreateCircle.TabIndex = 19;
|
|
||||||
btnCreateCircle.Text = "创建圆形";
|
|
||||||
btnCreateCircle.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateCircle.Click += btnCreateCircle_Click;
|
|
||||||
//
|
|
||||||
// btnLoadImage
|
|
||||||
//
|
|
||||||
btnLoadImage.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnLoadImage.Location = new Point(6, 330);
|
|
||||||
btnLoadImage.Name = "btnLoadImage";
|
|
||||||
btnLoadImage.Size = new Size(186, 32);
|
|
||||||
btnLoadImage.TabIndex = 18;
|
|
||||||
btnLoadImage.Text = "打开图片";
|
|
||||||
btnLoadImage.UseVisualStyleBackColor = true;
|
|
||||||
btnLoadImage.Click += btnLoadImage_Click;
|
|
||||||
//
|
|
||||||
// label9
|
|
||||||
//
|
|
||||||
label9.AutoSize = true;
|
|
||||||
label9.Location = new Point(56, 525);
|
|
||||||
label9.Name = "label9";
|
|
||||||
label9.Size = new Size(32, 17);
|
|
||||||
label9.TabIndex = 17;
|
|
||||||
label9.Text = "0ms";
|
|
||||||
//
|
|
||||||
// btnExecute
|
|
||||||
//
|
|
||||||
btnExecute.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnExecute.Location = new Point(6, 444);
|
|
||||||
btnExecute.Name = "btnExecute";
|
|
||||||
btnExecute.Size = new Size(186, 32);
|
|
||||||
btnExecute.TabIndex = 15;
|
|
||||||
btnExecute.Text = "执行";
|
|
||||||
btnExecute.UseVisualStyleBackColor = true;
|
|
||||||
btnExecute.Click += btnExecute_Click;
|
|
||||||
//
|
|
||||||
// label10
|
|
||||||
//
|
|
||||||
label10.AutoSize = true;
|
|
||||||
label10.Location = new Point(6, 525);
|
|
||||||
label10.Name = "label10";
|
|
||||||
label10.Size = new Size(44, 17);
|
|
||||||
label10.TabIndex = 16;
|
|
||||||
label10.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// groupBox2
|
|
||||||
//
|
|
||||||
groupBox2.Controls.Add(NumRectWidth1);
|
|
||||||
groupBox2.Controls.Add(label11);
|
|
||||||
groupBox2.Controls.Add(tbLineX2);
|
|
||||||
groupBox2.Controls.Add(label8);
|
|
||||||
groupBox2.Controls.Add(tbLineY2);
|
|
||||||
groupBox2.Controls.Add(label5);
|
|
||||||
groupBox2.Controls.Add(tbLineX1);
|
|
||||||
groupBox2.Controls.Add(tbLineY1);
|
|
||||||
groupBox2.Controls.Add(label6);
|
|
||||||
groupBox2.Controls.Add(label7);
|
|
||||||
groupBox2.Dock = DockStyle.Top;
|
|
||||||
groupBox2.Location = new Point(0, 152);
|
|
||||||
groupBox2.Name = "groupBox2";
|
|
||||||
groupBox2.Size = new Size(198, 172);
|
|
||||||
groupBox2.TabIndex = 13;
|
|
||||||
groupBox2.TabStop = false;
|
|
||||||
groupBox2.Text = "线参数";
|
|
||||||
//
|
|
||||||
// NumRectWidth1
|
|
||||||
//
|
|
||||||
NumRectWidth1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
NumRectWidth1.Location = new Point(56, 138);
|
|
||||||
NumRectWidth1.Maximum = new decimal(new int[] { 9000, 0, 0, 0 });
|
|
||||||
NumRectWidth1.Minimum = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
NumRectWidth1.Name = "NumRectWidth1";
|
|
||||||
NumRectWidth1.Size = new Size(136, 23);
|
|
||||||
NumRectWidth1.TabIndex = 13;
|
|
||||||
NumRectWidth1.Value = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
//
|
|
||||||
// label11
|
|
||||||
//
|
|
||||||
label11.AutoSize = true;
|
|
||||||
label11.Location = new Point(6, 140);
|
|
||||||
label11.Name = "label11";
|
|
||||||
label11.Size = new Size(35, 17);
|
|
||||||
label11.TabIndex = 12;
|
|
||||||
label11.Text = "宽度:";
|
|
||||||
//
|
|
||||||
// tbLineX2
|
|
||||||
//
|
|
||||||
tbLineX2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineX2.Location = new Point(56, 80);
|
|
||||||
tbLineX2.Name = "tbLineX2";
|
|
||||||
tbLineX2.Size = new Size(136, 23);
|
|
||||||
tbLineX2.TabIndex = 9;
|
|
||||||
//
|
|
||||||
// label8
|
|
||||||
//
|
|
||||||
label8.AutoSize = true;
|
|
||||||
label8.Location = new Point(6, 83);
|
|
||||||
label8.Name = "label8";
|
|
||||||
label8.Size = new Size(26, 17);
|
|
||||||
label8.TabIndex = 8;
|
|
||||||
label8.Text = "X2:";
|
|
||||||
//
|
|
||||||
// tbLineY2
|
|
||||||
//
|
|
||||||
tbLineY2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineY2.Location = new Point(56, 109);
|
|
||||||
tbLineY2.Name = "tbLineY2";
|
|
||||||
tbLineY2.Size = new Size(136, 23);
|
|
||||||
tbLineY2.TabIndex = 7;
|
|
||||||
//
|
|
||||||
// label5
|
|
||||||
//
|
|
||||||
label5.AutoSize = true;
|
|
||||||
label5.Location = new Point(6, 112);
|
|
||||||
label5.Name = "label5";
|
|
||||||
label5.Size = new Size(25, 17);
|
|
||||||
label5.TabIndex = 6;
|
|
||||||
label5.Text = "Y2:";
|
|
||||||
//
|
|
||||||
// tbLineX1
|
|
||||||
//
|
|
||||||
tbLineX1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineX1.Location = new Point(56, 22);
|
|
||||||
tbLineX1.Name = "tbLineX1";
|
|
||||||
tbLineX1.Size = new Size(136, 23);
|
|
||||||
tbLineX1.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// tbLineY1
|
|
||||||
//
|
|
||||||
tbLineY1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineY1.Location = new Point(56, 51);
|
|
||||||
tbLineY1.Name = "tbLineY1";
|
|
||||||
tbLineY1.Size = new Size(136, 23);
|
|
||||||
tbLineY1.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// label6
|
|
||||||
//
|
|
||||||
label6.AutoSize = true;
|
|
||||||
label6.Location = new Point(6, 54);
|
|
||||||
label6.Name = "label6";
|
|
||||||
label6.Size = new Size(25, 17);
|
|
||||||
label6.TabIndex = 1;
|
|
||||||
label6.Text = "Y1:";
|
|
||||||
//
|
|
||||||
// label7
|
|
||||||
//
|
|
||||||
label7.AutoSize = true;
|
|
||||||
label7.Location = new Point(6, 25);
|
|
||||||
label7.Name = "label7";
|
|
||||||
label7.Size = new Size(26, 17);
|
|
||||||
label7.TabIndex = 0;
|
|
||||||
label7.Text = "X1:";
|
|
||||||
//
|
|
||||||
// groupBox1
|
|
||||||
//
|
|
||||||
groupBox1.Controls.Add(tbCircleX);
|
|
||||||
groupBox1.Controls.Add(tbCircleY);
|
|
||||||
groupBox1.Controls.Add(tbCircleR);
|
|
||||||
groupBox1.Controls.Add(label3);
|
|
||||||
groupBox1.Controls.Add(label2);
|
|
||||||
groupBox1.Controls.Add(label1);
|
|
||||||
groupBox1.Dock = DockStyle.Top;
|
|
||||||
groupBox1.Location = new Point(0, 36);
|
|
||||||
groupBox1.Name = "groupBox1";
|
|
||||||
groupBox1.Size = new Size(198, 116);
|
|
||||||
groupBox1.TabIndex = 12;
|
|
||||||
groupBox1.TabStop = false;
|
|
||||||
groupBox1.Text = "圆参数";
|
|
||||||
//
|
|
||||||
// tbCircleX
|
|
||||||
//
|
|
||||||
tbCircleX.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbCircleX.Location = new Point(56, 22);
|
|
||||||
tbCircleX.Name = "tbCircleX";
|
|
||||||
tbCircleX.Size = new Size(136, 23);
|
|
||||||
tbCircleX.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// tbCircleY
|
|
||||||
//
|
|
||||||
tbCircleY.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbCircleY.Location = new Point(56, 51);
|
|
||||||
tbCircleY.Name = "tbCircleY";
|
|
||||||
tbCircleY.Size = new Size(136, 23);
|
|
||||||
tbCircleY.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// tbCircleR
|
|
||||||
//
|
|
||||||
tbCircleR.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbCircleR.Location = new Point(56, 80);
|
|
||||||
tbCircleR.Name = "tbCircleR";
|
|
||||||
tbCircleR.Size = new Size(136, 23);
|
|
||||||
tbCircleR.TabIndex = 3;
|
|
||||||
//
|
|
||||||
// label3
|
|
||||||
//
|
|
||||||
label3.AutoSize = true;
|
|
||||||
label3.Location = new Point(3, 83);
|
|
||||||
label3.Name = "label3";
|
|
||||||
label3.Size = new Size(44, 17);
|
|
||||||
label3.TabIndex = 2;
|
|
||||||
label3.Text = "半径:";
|
|
||||||
//
|
|
||||||
// label2
|
|
||||||
//
|
|
||||||
label2.AutoSize = true;
|
|
||||||
label2.Location = new Point(6, 54);
|
|
||||||
label2.Name = "label2";
|
|
||||||
label2.Size = new Size(18, 17);
|
|
||||||
label2.TabIndex = 1;
|
|
||||||
label2.Text = "Y:";
|
|
||||||
//
|
|
||||||
// label1
|
|
||||||
//
|
|
||||||
label1.AutoSize = true;
|
|
||||||
label1.Location = new Point(6, 25);
|
|
||||||
label1.Name = "label1";
|
|
||||||
label1.Size = new Size(19, 17);
|
|
||||||
label1.TabIndex = 0;
|
|
||||||
label1.Text = "X:";
|
|
||||||
//
|
|
||||||
// ctrlTitleBar
|
|
||||||
//
|
|
||||||
ctrlTitleBar.Dock = DockStyle.Top;
|
|
||||||
ctrlTitleBar.Location = new Point(0, 0);
|
|
||||||
ctrlTitleBar.MinimumSize = new Size(0, 36);
|
|
||||||
ctrlTitleBar.Name = "ctrlTitleBar";
|
|
||||||
ctrlTitleBar.Padding = new Padding(3);
|
|
||||||
ctrlTitleBar.Size = new Size(198, 36);
|
|
||||||
ctrlTitleBar.TabIndex = 11;
|
|
||||||
ctrlTitleBar.Title = "线圆测量";
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
panel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panel1.Controls.Add(canvas);
|
|
||||||
panel1.Controls.Add(statusStrip1);
|
|
||||||
panel1.Dock = DockStyle.Fill;
|
|
||||||
panel1.Location = new Point(0, 0);
|
|
||||||
panel1.Name = "panel1";
|
|
||||||
panel1.Size = new Size(1076, 640);
|
|
||||||
panel1.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// canvas
|
|
||||||
//
|
|
||||||
canvas.AllowMultiSelect = false;
|
|
||||||
canvas.CreateMode = Canvas.Shape.ShapeTypeEnum.Polygon;
|
|
||||||
canvas.Dock = DockStyle.Fill;
|
|
||||||
canvas.Enabled = false;
|
|
||||||
canvas.FillDrawing = false;
|
|
||||||
canvas.Location = new Point(0, 0);
|
|
||||||
canvas.Margin = new Padding(2);
|
|
||||||
canvas.Name = "canvas";
|
|
||||||
canvas.OutsideShapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.OutsideShapes");
|
|
||||||
canvas.Scale = 1F;
|
|
||||||
canvas.Shapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.Shapes");
|
|
||||||
canvas.Size = new Size(1074, 616);
|
|
||||||
canvas.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Items.AddRange(new ToolStripItem[] { lblStatus });
|
|
||||||
statusStrip1.Location = new Point(0, 616);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(1074, 22);
|
|
||||||
statusStrip1.TabIndex = 1;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// lblStatus
|
|
||||||
//
|
|
||||||
lblStatus.Name = "lblStatus";
|
|
||||||
lblStatus.Size = new Size(44, 17);
|
|
||||||
lblStatus.Text = " ";
|
|
||||||
//
|
|
||||||
// btnSave
|
|
||||||
//
|
|
||||||
btnSave.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnSave.Location = new Point(6, 545);
|
|
||||||
btnSave.Name = "btnSave";
|
|
||||||
btnSave.Size = new Size(186, 32);
|
|
||||||
btnSave.TabIndex = 30;
|
|
||||||
btnSave.Text = "保存数据";
|
|
||||||
btnSave.UseVisualStyleBackColor = true;
|
|
||||||
btnSave.Click += btnSave_Click;
|
|
||||||
//
|
|
||||||
// GuideLineCircleCtrl
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Controls.Add(splitContainer);
|
|
||||||
Controls.Add(lblElapsed);
|
|
||||||
Controls.Add(label4);
|
|
||||||
Name = "GuideLineCircleCtrl";
|
|
||||||
Size = new Size(1280, 640);
|
|
||||||
Load += GuideLineCircleCtrl_Load;
|
|
||||||
splitContainer.Panel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).EndInit();
|
|
||||||
splitContainer.ResumeLayout(false);
|
|
||||||
panelGuide.ResumeLayout(false);
|
|
||||||
panelGuide.PerformLayout();
|
|
||||||
groupBox2.ResumeLayout(false);
|
|
||||||
groupBox2.PerformLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth1).EndInit();
|
|
||||||
groupBox1.ResumeLayout(false);
|
|
||||||
groupBox1.PerformLayout();
|
|
||||||
panel1.ResumeLayout(false);
|
|
||||||
panel1.PerformLayout();
|
|
||||||
statusStrip1.ResumeLayout(false);
|
|
||||||
statusStrip1.PerformLayout();
|
|
||||||
ResumeLayout(false);
|
|
||||||
PerformLayout();
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private Label lblElapsed;
|
|
||||||
private Label label4;
|
|
||||||
|
|
||||||
private SplitContainer splitContainer;
|
|
||||||
private Panel panelGuide;
|
|
||||||
private Panel panel1;
|
|
||||||
private Canvas.UI.FlyCanvas canvas;
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private ToolStripStatusLabel lblStatus;
|
|
||||||
private GroupBox groupBox2;
|
|
||||||
private TextBox tbLineX2;
|
|
||||||
private Label label8;
|
|
||||||
private TextBox tbLineY2;
|
|
||||||
private Label label5;
|
|
||||||
private TextBox tbLineX1;
|
|
||||||
private TextBox tbLineY1;
|
|
||||||
private Label label6;
|
|
||||||
private Label label7;
|
|
||||||
private GroupBox groupBox1;
|
|
||||||
private TextBox tbCircleX;
|
|
||||||
private TextBox tbCircleY;
|
|
||||||
private TextBox tbCircleR;
|
|
||||||
private Label label3;
|
|
||||||
private Label label2;
|
|
||||||
private Label label1;
|
|
||||||
private CtrlTitleBar ctrlTitleBar;
|
|
||||||
private Button btnCreateCircle;
|
|
||||||
private Button btnLoadImage;
|
|
||||||
private Label label9;
|
|
||||||
private Button btnExecute;
|
|
||||||
private Label label10;
|
|
||||||
private Button btnCreateLine;
|
|
||||||
private TextBox tbRectWidth1;
|
|
||||||
private Label label11;
|
|
||||||
private NumericUpDown NumRectWidth1;
|
|
||||||
private Label lblDistance;
|
|
||||||
private Label label17;
|
|
||||||
private Label lblResult;
|
|
||||||
private Label label15;
|
|
||||||
private Button btnSave;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,449 +0,0 @@
|
|||||||
using CanFly.Canvas.Helper;
|
|
||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Canvas.UI;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using HalconDotNet;
|
|
||||||
using OpenCvSharp;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
public partial class GuideLineCircleCtrl : BaseGuideControl
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
private FlyShape? _circle;
|
|
||||||
private FlyShape? _line;
|
|
||||||
|
|
||||||
|
|
||||||
private float _lineX1;
|
|
||||||
private float _lineY1;
|
|
||||||
private float _lineX2;
|
|
||||||
private float _lineY2;
|
|
||||||
private float _lineWidth;
|
|
||||||
|
|
||||||
|
|
||||||
private float _circleX;
|
|
||||||
private float _circleY;
|
|
||||||
private float _circleR;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override string GetScriptFileName() => "LineToCircle.hdvp";
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public GuideLineCircleCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
this.canvas.mouseMoved += Canvas_mouseMoved;
|
|
||||||
this.canvas.OnShapeUpdateEvent += UpdateShape;
|
|
||||||
this.canvas.selectionChanged += Canvas_selectionChanged;
|
|
||||||
|
|
||||||
this.canvas.OnShapeMoving += Canvas_OnShapeMoving;
|
|
||||||
this.canvas.newShape += Canvas_newShape;
|
|
||||||
|
|
||||||
this.ctrlTitleBar.OnCloseClicked += OnControlClose;
|
|
||||||
|
|
||||||
NumRectWidth1.ValueChanged -= NumRectWidth1_ValueChanged;
|
|
||||||
NumRectWidth1.Value = 40;
|
|
||||||
NumRectWidth1.ValueChanged += NumRectWidth1_ValueChanged;
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override void UpdateShape(FlyShape shape)
|
|
||||||
{
|
|
||||||
switch (shape.ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
this._line = shape;
|
|
||||||
_line.IsDrawLineVirtualRect = true;
|
|
||||||
var pts = this._line.Points;
|
|
||||||
|
|
||||||
_lineX1 = pts[0].X;
|
|
||||||
_lineY1 = pts[0].Y;
|
|
||||||
_lineX2 = pts[1].X;
|
|
||||||
_lineY2 = pts[1].Y;
|
|
||||||
_lineWidth = shape.LineVirtualRectWidth;
|
|
||||||
|
|
||||||
tbLineX1.Text = _lineX1.ToString("F3");
|
|
||||||
tbLineY1.Text = _lineY1.ToString("F3");
|
|
||||||
tbLineX2.Text = _lineX2.ToString("F3");
|
|
||||||
tbLineY2.Text = _lineY2.ToString("F3");
|
|
||||||
// NumRectWidth1.Value = (decimal)_lineWidth;
|
|
||||||
break;
|
|
||||||
case ShapeTypeEnum.Circle:
|
|
||||||
this._circle = shape;
|
|
||||||
|
|
||||||
_circleX = shape.Points[0].X;
|
|
||||||
_circleY = shape.Points[0].Y;
|
|
||||||
_circleR = PointHelper.Distance(shape.Points[0], shape.Points[1]);
|
|
||||||
|
|
||||||
this.tbCircleX.Text = _circleX.ToString("F3");
|
|
||||||
this.tbCircleY.Text = _circleY.ToString("F3");
|
|
||||||
this.tbCircleR.Text = _circleR.ToString("F3");
|
|
||||||
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void GuideLineCircleCtrl_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(Canvas_mouseMoved, pos);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
//if (shapes.Count != 1)
|
|
||||||
//{
|
|
||||||
// // panelGuide.Controls.Clear();
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
// Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnCreateCircle_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
this.tbCircleX.Text = string.Empty;
|
|
||||||
this.tbCircleY.Text = string.Empty;
|
|
||||||
this.tbCircleR.Text = string.Empty;
|
|
||||||
this.canvas.Shapes.RemoveAll(shp => shp.ShapeType == ShapeTypeEnum.Circle);
|
|
||||||
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Circle);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnCreateLine_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
tbLineX1.Text = string.Empty;
|
|
||||||
tbLineY1.Text = string.Empty;
|
|
||||||
tbLineX2.Text = string.Empty;
|
|
||||||
tbLineY2.Text = string.Empty;
|
|
||||||
|
|
||||||
this.canvas.Shapes.RemoveAll(shp => shp.ShapeType == ShapeTypeEnum.Line);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Line);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OpenImageFile(bitmap =>
|
|
||||||
{
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
|
|
||||||
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_newShape()
|
|
||||||
{
|
|
||||||
this.canvas.StopDraw();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
string strarrayX=string.Empty;
|
|
||||||
string strarrayY=string.Empty;
|
|
||||||
private void btnExecute_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (this.tbLineX1.Text.Trim().Length == 0)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先创建直线");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (this.tbLineX1.Text.Trim().Length == 0)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先创建圆形");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
this.canvas.OutsideShapes.Clear();
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
|
|
||||||
flag = new List<double>();
|
|
||||||
Distance = new List<double>();
|
|
||||||
fRowCenter = new List<double>();
|
|
||||||
fColCenter = new List<double>();
|
|
||||||
fRadius = new List<double>();
|
|
||||||
RowBegin = new List<double>();
|
|
||||||
ColBegin = new List<double>();
|
|
||||||
RowEnd = new List<double>();
|
|
||||||
ColEnd = new List<double>();
|
|
||||||
Dictionary<string, HObject> inputImg = new Dictionary<string, HObject>();
|
|
||||||
|
|
||||||
if (hImage == null)
|
|
||||||
{
|
|
||||||
HOperatorSet.ReadImage(out hImage, CurrentImageFile);
|
|
||||||
}
|
|
||||||
inputImg["INPUT_Image"] = hImage;
|
|
||||||
|
|
||||||
Dictionary<string, HTuple> inputPara = new Dictionary<string, HTuple>();
|
|
||||||
|
|
||||||
PointF[] Points = this._line.LineVirtualRectPoints;
|
|
||||||
PointF Point1 = Points[0];
|
|
||||||
PointF Point2 = Points[1];
|
|
||||||
PointF Point3 = Points[2];
|
|
||||||
PointF Point4 = Points[3];
|
|
||||||
PointF Point5 = Points[0];
|
|
||||||
|
|
||||||
float x1 = Point1.X;
|
|
||||||
float y1 = Point1.Y;
|
|
||||||
|
|
||||||
float x2 = Point2.X;
|
|
||||||
float y2 = Point2.Y;
|
|
||||||
|
|
||||||
float x3 = Point3.X;
|
|
||||||
float y3 = Point3.Y;
|
|
||||||
|
|
||||||
float x4 = Point4.X;
|
|
||||||
float y4 = Point4.Y;
|
|
||||||
|
|
||||||
float x5 = Point5.X;
|
|
||||||
float y5 = Point5.Y;
|
|
||||||
|
|
||||||
|
|
||||||
float[] arrayX = new float[] { x1, x2, x3, x4, x5 };
|
|
||||||
HTuple hTupleArrayX = new HTuple(arrayX);
|
|
||||||
|
|
||||||
float[] arrayY = new float[] { y1, y2, y3, y4, y5 };
|
|
||||||
HTuple hTupleArrayY = new HTuple(arrayY);
|
|
||||||
|
|
||||||
strarrayX=string.Join(",", arrayX);
|
|
||||||
strarrayY=string.Join(",", arrayY);
|
|
||||||
|
|
||||||
inputPara["LX"] = _lineX1;
|
|
||||||
inputPara["LY"] = _lineY1;
|
|
||||||
inputPara["RX"] = _lineX2;
|
|
||||||
inputPara["RY"] = _lineY2;
|
|
||||||
inputPara["XCenter"] = _circleX;
|
|
||||||
inputPara["YCenter"] = _circleY;
|
|
||||||
inputPara["Radius"] = _circleR;
|
|
||||||
inputPara["Line_XRect"] = hTupleArrayX;
|
|
||||||
inputPara["Line_YRect"] = hTupleArrayY;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
List<string> outputKeys = new List<string>()
|
|
||||||
{
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"distance",
|
|
||||||
"fRowCenter",
|
|
||||||
"fColCenter",
|
|
||||||
"fRadius",
|
|
||||||
"RowBegin",
|
|
||||||
"ColBegin",
|
|
||||||
"RowEnd",
|
|
||||||
"ColEnd"
|
|
||||||
};
|
|
||||||
|
|
||||||
ExecuteHScript(
|
|
||||||
inputImg,
|
|
||||||
inputPara,
|
|
||||||
outputKeys);
|
|
||||||
|
|
||||||
}
|
|
||||||
List<double> flag = new List<double>();
|
|
||||||
List<double> Distance = new List<double>();
|
|
||||||
List<double> fRowCenter = new List<double>();
|
|
||||||
List<double> fColCenter = new List<double>();
|
|
||||||
List<double> fRadius = new List<double>();
|
|
||||||
List<double> RowBegin = new List<double>();
|
|
||||||
List<double> ColBegin = new List<double>();
|
|
||||||
List<double> RowEnd = new List<double>();
|
|
||||||
List<double> ColEnd = new List<double>();
|
|
||||||
protected override void OnExecuteHScriptResult(
|
|
||||||
bool success,
|
|
||||||
Dictionary<string, HTuple> resultDic,
|
|
||||||
int timeElasped)
|
|
||||||
{
|
|
||||||
if (!success)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
//"OUTPUT_Flag",
|
|
||||||
// "distance",
|
|
||||||
// "fRowCenter",
|
|
||||||
// "fColCenter",
|
|
||||||
// "fRadius",
|
|
||||||
// "RowBegin",
|
|
||||||
// "ColBegin",
|
|
||||||
// "RowEnd",
|
|
||||||
// "ColEnd"
|
|
||||||
|
|
||||||
flag = resultDic["OUTPUT_Flag"].HTupleToDouble();
|
|
||||||
Distance = resultDic["distance"].HTupleToDouble();
|
|
||||||
fRowCenter = resultDic["fRowCenter"].HTupleToDouble();
|
|
||||||
fColCenter = resultDic["fColCenter"].HTupleToDouble();
|
|
||||||
fRadius = resultDic["fRadius"].HTupleToDouble();
|
|
||||||
RowBegin = resultDic["RowBegin"].HTupleToDouble();
|
|
||||||
ColBegin = resultDic["ColBegin"].HTupleToDouble();
|
|
||||||
RowEnd = resultDic["RowEnd"].HTupleToDouble();
|
|
||||||
ColEnd = resultDic["ColEnd"].HTupleToDouble();
|
|
||||||
|
|
||||||
|
|
||||||
if (flag.Count > 0)
|
|
||||||
{
|
|
||||||
lblResult.Text = flag[0].ToString();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblResult.Text = "无";
|
|
||||||
}
|
|
||||||
if (Distance.Count > 0)
|
|
||||||
{
|
|
||||||
lblDistance.Text = Distance[0].ToString();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblDistance.Text = "0";
|
|
||||||
}
|
|
||||||
|
|
||||||
if (flag.Count > 0 && Distance.Count > 0 && fRowCenter.Count > 0 && fColCenter.Count > 0 && fRadius.Count > 0 && RowBegin.Count > 0 && ColBegin.Count > 0 && RowEnd.Count > 0 && ColEnd.Count > 0)
|
|
||||||
{
|
|
||||||
float width = 0;
|
|
||||||
this.canvas.DrawLine(new PointF((float)ColBegin[0], (float)RowBegin[0]), new PointF((float)ColEnd[0], (float)RowEnd[0]), width);
|
|
||||||
this.canvas.DrawCircle(new PointF((float)fColCenter[0], (float)fRowCenter[0]), (float)fRadius[0]);
|
|
||||||
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
lblElapsed.Text = $"{timeElasped} ms";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void NumRectWidth1_ValueChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (_line != null)
|
|
||||||
{
|
|
||||||
//_line1.IsDrawLineVirtualRect = true;
|
|
||||||
_line.LineVirtualRectWidth = (float)NumRectWidth1.Value;
|
|
||||||
UpdateShape(_line);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnSave_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (lblResult.Text.Equals("无"))
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先进行绘制");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (lblResult.Text != "0")
|
|
||||||
{
|
|
||||||
MessageBox.Show("测量计算错误,无法保存");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
string input = $"LX:{_lineX1};" +
|
|
||||||
$"LY:{_lineY1};" +
|
|
||||||
$"RX:{_lineX2};" +
|
|
||||||
$"RY:{_lineY2};" +
|
|
||||||
$"XCenter:{_circleX};" +
|
|
||||||
$"YCenter:{_circleY};" +
|
|
||||||
$"Radius:{_circleR};" +
|
|
||||||
$"Line_XRect:{strarrayX};"+
|
|
||||||
$"Line_YRect:{strarrayY}";
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
string result = $"distance:{Distance[0]};";
|
|
||||||
DataToTriggerEvent(input, result);
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,145 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<data name="canvas.OutsideShapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<data name="canvas.Shapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
427
CanFly/UI/GuidePanel/GuideLineCtrl.Designer.cs
generated
427
CanFly/UI/GuidePanel/GuideLineCtrl.Designer.cs
generated
@ -1,427 +0,0 @@
|
|||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
partial class GuideLineCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(GuideLineCtrl));
|
|
||||||
lblElapsed = new Label();
|
|
||||||
label4 = new Label();
|
|
||||||
splitContainer = new SplitContainer();
|
|
||||||
panelGuide = new Panel();
|
|
||||||
btnSave = new Button();
|
|
||||||
lblResult = new Label();
|
|
||||||
label1 = new Label();
|
|
||||||
btnCreateLine = new Button();
|
|
||||||
btnLoadImage = new Button();
|
|
||||||
label9 = new Label();
|
|
||||||
btnExecute = new Button();
|
|
||||||
label10 = new Label();
|
|
||||||
groupBox2 = new GroupBox();
|
|
||||||
NumRectWidth1 = new NumericUpDown();
|
|
||||||
label11 = new Label();
|
|
||||||
tbLineX2 = new TextBox();
|
|
||||||
label8 = new Label();
|
|
||||||
tbLineY2 = new TextBox();
|
|
||||||
label5 = new Label();
|
|
||||||
tbLineX1 = new TextBox();
|
|
||||||
tbLineY1 = new TextBox();
|
|
||||||
label6 = new Label();
|
|
||||||
label7 = new Label();
|
|
||||||
ctrlTitleBar = new CtrlTitleBar();
|
|
||||||
panel1 = new Panel();
|
|
||||||
canvas = new Canvas.UI.FlyCanvas();
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
lblStatus = new ToolStripStatusLabel();
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).BeginInit();
|
|
||||||
splitContainer.Panel1.SuspendLayout();
|
|
||||||
splitContainer.Panel2.SuspendLayout();
|
|
||||||
splitContainer.SuspendLayout();
|
|
||||||
panelGuide.SuspendLayout();
|
|
||||||
groupBox2.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth1).BeginInit();
|
|
||||||
panel1.SuspendLayout();
|
|
||||||
statusStrip1.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// lblElapsed
|
|
||||||
//
|
|
||||||
lblElapsed.AutoSize = true;
|
|
||||||
lblElapsed.Location = new Point(50, 328);
|
|
||||||
lblElapsed.Name = "lblElapsed";
|
|
||||||
lblElapsed.Size = new Size(32, 17);
|
|
||||||
lblElapsed.TabIndex = 9;
|
|
||||||
lblElapsed.Text = "0ms";
|
|
||||||
//
|
|
||||||
// label4
|
|
||||||
//
|
|
||||||
label4.AutoSize = true;
|
|
||||||
label4.Location = new Point(0, 328);
|
|
||||||
label4.Name = "label4";
|
|
||||||
label4.Size = new Size(44, 17);
|
|
||||||
label4.TabIndex = 8;
|
|
||||||
label4.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// splitContainer
|
|
||||||
//
|
|
||||||
splitContainer.Dock = DockStyle.Fill;
|
|
||||||
splitContainer.Location = new Point(0, 0);
|
|
||||||
splitContainer.Name = "splitContainer";
|
|
||||||
//
|
|
||||||
// splitContainer.Panel1
|
|
||||||
//
|
|
||||||
splitContainer.Panel1.Controls.Add(panelGuide);
|
|
||||||
splitContainer.Panel1MinSize = 150;
|
|
||||||
//
|
|
||||||
// splitContainer.Panel2
|
|
||||||
//
|
|
||||||
splitContainer.Panel2.Controls.Add(panel1);
|
|
||||||
splitContainer.Size = new Size(1280, 640);
|
|
||||||
splitContainer.SplitterDistance = 200;
|
|
||||||
splitContainer.TabIndex = 11;
|
|
||||||
//
|
|
||||||
// panelGuide
|
|
||||||
//
|
|
||||||
panelGuide.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panelGuide.Controls.Add(btnSave);
|
|
||||||
panelGuide.Controls.Add(lblResult);
|
|
||||||
panelGuide.Controls.Add(label1);
|
|
||||||
panelGuide.Controls.Add(btnCreateLine);
|
|
||||||
panelGuide.Controls.Add(btnLoadImage);
|
|
||||||
panelGuide.Controls.Add(label9);
|
|
||||||
panelGuide.Controls.Add(btnExecute);
|
|
||||||
panelGuide.Controls.Add(label10);
|
|
||||||
panelGuide.Controls.Add(groupBox2);
|
|
||||||
panelGuide.Controls.Add(ctrlTitleBar);
|
|
||||||
panelGuide.Dock = DockStyle.Fill;
|
|
||||||
panelGuide.Location = new Point(0, 0);
|
|
||||||
panelGuide.Name = "panelGuide";
|
|
||||||
panelGuide.Size = new Size(200, 640);
|
|
||||||
panelGuide.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// btnSave
|
|
||||||
//
|
|
||||||
btnSave.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnSave.Location = new Point(6, 390);
|
|
||||||
btnSave.Name = "btnSave";
|
|
||||||
btnSave.Size = new Size(186, 32);
|
|
||||||
btnSave.TabIndex = 23;
|
|
||||||
btnSave.Text = "保存数据";
|
|
||||||
btnSave.UseVisualStyleBackColor = true;
|
|
||||||
btnSave.Click += btnSave_Click;
|
|
||||||
//
|
|
||||||
// lblResult
|
|
||||||
//
|
|
||||||
lblResult.AutoSize = true;
|
|
||||||
lblResult.Location = new Point(59, 354);
|
|
||||||
lblResult.Name = "lblResult";
|
|
||||||
lblResult.Size = new Size(20, 17);
|
|
||||||
lblResult.TabIndex = 22;
|
|
||||||
lblResult.Text = "无";
|
|
||||||
//
|
|
||||||
// label1
|
|
||||||
//
|
|
||||||
label1.AutoSize = true;
|
|
||||||
label1.Location = new Point(9, 354);
|
|
||||||
label1.Name = "label1";
|
|
||||||
label1.Size = new Size(44, 17);
|
|
||||||
label1.TabIndex = 21;
|
|
||||||
label1.Text = "结果:";
|
|
||||||
//
|
|
||||||
// btnCreateLine
|
|
||||||
//
|
|
||||||
btnCreateLine.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnCreateLine.Location = new Point(9, 252);
|
|
||||||
btnCreateLine.Name = "btnCreateLine";
|
|
||||||
btnCreateLine.Size = new Size(186, 32);
|
|
||||||
btnCreateLine.TabIndex = 20;
|
|
||||||
btnCreateLine.Text = "创建直线";
|
|
||||||
btnCreateLine.UseVisualStyleBackColor = true;
|
|
||||||
btnCreateLine.Click += btnCreateLine_Click;
|
|
||||||
//
|
|
||||||
// btnLoadImage
|
|
||||||
//
|
|
||||||
btnLoadImage.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnLoadImage.Location = new Point(6, 214);
|
|
||||||
btnLoadImage.Name = "btnLoadImage";
|
|
||||||
btnLoadImage.Size = new Size(186, 32);
|
|
||||||
btnLoadImage.TabIndex = 18;
|
|
||||||
btnLoadImage.Text = "打开图片";
|
|
||||||
btnLoadImage.UseVisualStyleBackColor = true;
|
|
||||||
btnLoadImage.Click += btnLoadImage_Click;
|
|
||||||
//
|
|
||||||
// label9
|
|
||||||
//
|
|
||||||
label9.AutoSize = true;
|
|
||||||
label9.Location = new Point(59, 325);
|
|
||||||
label9.Name = "label9";
|
|
||||||
label9.Size = new Size(32, 17);
|
|
||||||
label9.TabIndex = 17;
|
|
||||||
label9.Text = "0ms";
|
|
||||||
//
|
|
||||||
// btnExecute
|
|
||||||
//
|
|
||||||
btnExecute.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnExecute.Location = new Point(9, 290);
|
|
||||||
btnExecute.Name = "btnExecute";
|
|
||||||
btnExecute.Size = new Size(186, 32);
|
|
||||||
btnExecute.TabIndex = 15;
|
|
||||||
btnExecute.Text = "执行";
|
|
||||||
btnExecute.UseVisualStyleBackColor = true;
|
|
||||||
btnExecute.Click += btnExecute_Click;
|
|
||||||
//
|
|
||||||
// label10
|
|
||||||
//
|
|
||||||
label10.AutoSize = true;
|
|
||||||
label10.Location = new Point(9, 325);
|
|
||||||
label10.Name = "label10";
|
|
||||||
label10.Size = new Size(44, 17);
|
|
||||||
label10.TabIndex = 16;
|
|
||||||
label10.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// groupBox2
|
|
||||||
//
|
|
||||||
groupBox2.Controls.Add(NumRectWidth1);
|
|
||||||
groupBox2.Controls.Add(label11);
|
|
||||||
groupBox2.Controls.Add(tbLineX2);
|
|
||||||
groupBox2.Controls.Add(label8);
|
|
||||||
groupBox2.Controls.Add(tbLineY2);
|
|
||||||
groupBox2.Controls.Add(label5);
|
|
||||||
groupBox2.Controls.Add(tbLineX1);
|
|
||||||
groupBox2.Controls.Add(tbLineY1);
|
|
||||||
groupBox2.Controls.Add(label6);
|
|
||||||
groupBox2.Controls.Add(label7);
|
|
||||||
groupBox2.Dock = DockStyle.Top;
|
|
||||||
groupBox2.Location = new Point(0, 36);
|
|
||||||
groupBox2.Name = "groupBox2";
|
|
||||||
groupBox2.Size = new Size(198, 172);
|
|
||||||
groupBox2.TabIndex = 13;
|
|
||||||
groupBox2.TabStop = false;
|
|
||||||
groupBox2.Text = "线参数";
|
|
||||||
//
|
|
||||||
// NumRectWidth1
|
|
||||||
//
|
|
||||||
NumRectWidth1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
NumRectWidth1.Location = new Point(56, 138);
|
|
||||||
NumRectWidth1.Maximum = new decimal(new int[] { 9000, 0, 0, 0 });
|
|
||||||
NumRectWidth1.Minimum = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
NumRectWidth1.Name = "NumRectWidth1";
|
|
||||||
NumRectWidth1.Size = new Size(136, 23);
|
|
||||||
NumRectWidth1.TabIndex = 13;
|
|
||||||
NumRectWidth1.Value = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
//
|
|
||||||
// label11
|
|
||||||
//
|
|
||||||
label11.AutoSize = true;
|
|
||||||
label11.Location = new Point(6, 140);
|
|
||||||
label11.Name = "label11";
|
|
||||||
label11.Size = new Size(35, 17);
|
|
||||||
label11.TabIndex = 12;
|
|
||||||
label11.Text = "宽度:";
|
|
||||||
//
|
|
||||||
// tbLineX2
|
|
||||||
//
|
|
||||||
tbLineX2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineX2.Location = new Point(56, 80);
|
|
||||||
tbLineX2.Name = "tbLineX2";
|
|
||||||
tbLineX2.Size = new Size(136, 23);
|
|
||||||
tbLineX2.TabIndex = 9;
|
|
||||||
//
|
|
||||||
// label8
|
|
||||||
//
|
|
||||||
label8.AutoSize = true;
|
|
||||||
label8.Location = new Point(6, 83);
|
|
||||||
label8.Name = "label8";
|
|
||||||
label8.Size = new Size(26, 17);
|
|
||||||
label8.TabIndex = 8;
|
|
||||||
label8.Text = "X2:";
|
|
||||||
//
|
|
||||||
// tbLineY2
|
|
||||||
//
|
|
||||||
tbLineY2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineY2.Location = new Point(56, 109);
|
|
||||||
tbLineY2.Name = "tbLineY2";
|
|
||||||
tbLineY2.Size = new Size(136, 23);
|
|
||||||
tbLineY2.TabIndex = 7;
|
|
||||||
//
|
|
||||||
// label5
|
|
||||||
//
|
|
||||||
label5.AutoSize = true;
|
|
||||||
label5.Location = new Point(6, 112);
|
|
||||||
label5.Name = "label5";
|
|
||||||
label5.Size = new Size(25, 17);
|
|
||||||
label5.TabIndex = 6;
|
|
||||||
label5.Text = "Y2:";
|
|
||||||
//
|
|
||||||
// tbLineX1
|
|
||||||
//
|
|
||||||
tbLineX1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineX1.Location = new Point(56, 22);
|
|
||||||
tbLineX1.Name = "tbLineX1";
|
|
||||||
tbLineX1.Size = new Size(136, 23);
|
|
||||||
tbLineX1.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// tbLineY1
|
|
||||||
//
|
|
||||||
tbLineY1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLineY1.Location = new Point(56, 51);
|
|
||||||
tbLineY1.Name = "tbLineY1";
|
|
||||||
tbLineY1.Size = new Size(136, 23);
|
|
||||||
tbLineY1.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// label6
|
|
||||||
//
|
|
||||||
label6.AutoSize = true;
|
|
||||||
label6.Location = new Point(6, 54);
|
|
||||||
label6.Name = "label6";
|
|
||||||
label6.Size = new Size(25, 17);
|
|
||||||
label6.TabIndex = 1;
|
|
||||||
label6.Text = "Y1:";
|
|
||||||
//
|
|
||||||
// label7
|
|
||||||
//
|
|
||||||
label7.AutoSize = true;
|
|
||||||
label7.Location = new Point(6, 25);
|
|
||||||
label7.Name = "label7";
|
|
||||||
label7.Size = new Size(26, 17);
|
|
||||||
label7.TabIndex = 0;
|
|
||||||
label7.Text = "X1:";
|
|
||||||
//
|
|
||||||
// ctrlTitleBar
|
|
||||||
//
|
|
||||||
ctrlTitleBar.Dock = DockStyle.Top;
|
|
||||||
ctrlTitleBar.Location = new Point(0, 0);
|
|
||||||
ctrlTitleBar.MinimumSize = new Size(0, 36);
|
|
||||||
ctrlTitleBar.Name = "ctrlTitleBar";
|
|
||||||
ctrlTitleBar.Padding = new Padding(3);
|
|
||||||
ctrlTitleBar.Size = new Size(198, 36);
|
|
||||||
ctrlTitleBar.TabIndex = 11;
|
|
||||||
ctrlTitleBar.Title = "直线测量";
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
panel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panel1.Controls.Add(canvas);
|
|
||||||
panel1.Controls.Add(statusStrip1);
|
|
||||||
panel1.Dock = DockStyle.Fill;
|
|
||||||
panel1.Location = new Point(0, 0);
|
|
||||||
panel1.Name = "panel1";
|
|
||||||
panel1.Size = new Size(1076, 640);
|
|
||||||
panel1.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// canvas
|
|
||||||
//
|
|
||||||
canvas.AllowMultiSelect = false;
|
|
||||||
canvas.CreateMode = Canvas.Shape.ShapeTypeEnum.Polygon;
|
|
||||||
canvas.Dock = DockStyle.Fill;
|
|
||||||
canvas.Enabled = false;
|
|
||||||
canvas.FillDrawing = false;
|
|
||||||
canvas.Location = new Point(0, 0);
|
|
||||||
canvas.Margin = new Padding(2);
|
|
||||||
canvas.Name = "canvas";
|
|
||||||
canvas.OutsideShapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.OutsideShapes");
|
|
||||||
canvas.Scale = 1F;
|
|
||||||
canvas.Shapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.Shapes");
|
|
||||||
canvas.Size = new Size(1074, 616);
|
|
||||||
canvas.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Items.AddRange(new ToolStripItem[] { lblStatus });
|
|
||||||
statusStrip1.Location = new Point(0, 616);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(1074, 22);
|
|
||||||
statusStrip1.TabIndex = 1;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// lblStatus
|
|
||||||
//
|
|
||||||
lblStatus.Name = "lblStatus";
|
|
||||||
lblStatus.Size = new Size(44, 17);
|
|
||||||
lblStatus.Text = " ";
|
|
||||||
//
|
|
||||||
// GuideLineCtrl
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Controls.Add(splitContainer);
|
|
||||||
Controls.Add(lblElapsed);
|
|
||||||
Controls.Add(label4);
|
|
||||||
Name = "GuideLineCtrl";
|
|
||||||
Size = new Size(1280, 640);
|
|
||||||
Load += GuideLineCircleCtrl_Load;
|
|
||||||
splitContainer.Panel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).EndInit();
|
|
||||||
splitContainer.ResumeLayout(false);
|
|
||||||
panelGuide.ResumeLayout(false);
|
|
||||||
panelGuide.PerformLayout();
|
|
||||||
groupBox2.ResumeLayout(false);
|
|
||||||
groupBox2.PerformLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth1).EndInit();
|
|
||||||
panel1.ResumeLayout(false);
|
|
||||||
panel1.PerformLayout();
|
|
||||||
statusStrip1.ResumeLayout(false);
|
|
||||||
statusStrip1.PerformLayout();
|
|
||||||
ResumeLayout(false);
|
|
||||||
PerformLayout();
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private Label lblElapsed;
|
|
||||||
private Label label4;
|
|
||||||
|
|
||||||
private SplitContainer splitContainer;
|
|
||||||
private Panel panelGuide;
|
|
||||||
private Panel panel1;
|
|
||||||
private Canvas.UI.FlyCanvas canvas;
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private ToolStripStatusLabel lblStatus;
|
|
||||||
private GroupBox groupBox2;
|
|
||||||
private TextBox tbLineX2;
|
|
||||||
private Label label8;
|
|
||||||
private TextBox tbLineY2;
|
|
||||||
private Label label5;
|
|
||||||
private TextBox tbLineX1;
|
|
||||||
private TextBox tbLineY1;
|
|
||||||
private Label label6;
|
|
||||||
private Label label7;
|
|
||||||
private CtrlTitleBar ctrlTitleBar;
|
|
||||||
private Button btnLoadImage;
|
|
||||||
private Label label9;
|
|
||||||
private Button btnExecute;
|
|
||||||
private Label label10;
|
|
||||||
private Button btnCreateLine;
|
|
||||||
private TextBox tbRectWidth1;
|
|
||||||
private Label label11;
|
|
||||||
private NumericUpDown NumRectWidth1;
|
|
||||||
private Label lblResult;
|
|
||||||
private Label label1;
|
|
||||||
private Button btnSave;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,387 +0,0 @@
|
|||||||
using CanFly.Canvas.Helper;
|
|
||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Canvas.UI;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using HalconDotNet;
|
|
||||||
using OpenCvSharp;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
public partial class GuideLineCtrl : BaseGuideControl
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private FlyShape? _line;
|
|
||||||
|
|
||||||
|
|
||||||
private float _lineX1;
|
|
||||||
private float _lineY1;
|
|
||||||
private float _lineX2;
|
|
||||||
private float _lineY2;
|
|
||||||
private float _lineWidth;
|
|
||||||
private PointF[] _rectPoints = new PointF[4];
|
|
||||||
//private float _LineLX=new float();
|
|
||||||
//private float _LineLY =new float();
|
|
||||||
//private float _LineRX =new float();
|
|
||||||
//private float _LineRY =new float();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override string GetScriptFileName() => "Line_detect.hdvp";
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public GuideLineCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
this.canvas.mouseMoved += Canvas_mouseMoved;
|
|
||||||
this.canvas.OnShapeUpdateEvent += UpdateShape;
|
|
||||||
this.canvas.selectionChanged += Canvas_selectionChanged;
|
|
||||||
|
|
||||||
this.canvas.OnShapeMoving += Canvas_OnShapeMoving;
|
|
||||||
this.canvas.newShape += Canvas_newShape;
|
|
||||||
|
|
||||||
this.ctrlTitleBar.OnCloseClicked += OnControlClose;
|
|
||||||
|
|
||||||
NumRectWidth1.ValueChanged -= NumRectWidth1_ValueChanged;
|
|
||||||
NumRectWidth1.Value = 40;
|
|
||||||
NumRectWidth1.ValueChanged += NumRectWidth1_ValueChanged;
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
protected override void UpdateShape(FlyShape shape)
|
|
||||||
{
|
|
||||||
switch (shape.ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
this._line = shape;
|
|
||||||
_line.IsDrawLineVirtualRect = true;
|
|
||||||
var pts = this._line.Points;
|
|
||||||
|
|
||||||
_lineX1 = pts[0].X;
|
|
||||||
_lineY1 = pts[0].Y;
|
|
||||||
_lineX2 = pts[1].X;
|
|
||||||
_lineY2 = pts[1].Y;
|
|
||||||
_lineWidth = shape.LineVirtualRectWidth;
|
|
||||||
_rectPoints = shape.LineVirtualRectPoints;
|
|
||||||
//_LineLX = (shape.LineVirtualRectPoints[0].X + shape.LineVirtualRectPoints[3].X) / 2;
|
|
||||||
//_LineLY = (shape.LineVirtualRectPoints[0].Y + shape.LineVirtualRectPoints[3].Y) / 2;
|
|
||||||
//_LineRX = (shape.LineVirtualRectPoints[1].X + shape.LineVirtualRectPoints[2].X) / 2;
|
|
||||||
//_LineRY = (shape.LineVirtualRectPoints[1].Y + shape.LineVirtualRectPoints[2].Y) / 2;
|
|
||||||
|
|
||||||
tbLineX1.Text = _lineX1.ToString("F3");
|
|
||||||
tbLineY1.Text = _lineY1.ToString("F3");
|
|
||||||
tbLineX2.Text = _lineX2.ToString("F3");
|
|
||||||
tbLineY2.Text = _lineY2.ToString("F3");
|
|
||||||
// NumRectWidth1.Value = (decimal)_lineWidth;
|
|
||||||
break;
|
|
||||||
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void GuideLineCircleCtrl_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(Canvas_mouseMoved, pos);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
//if (shapes.Count != 1)
|
|
||||||
//{
|
|
||||||
// // panelGuide.Controls.Clear();
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
// Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnCreateLine_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
tbLineX1.Text = string.Empty;
|
|
||||||
tbLineY1.Text = string.Empty;
|
|
||||||
tbLineX2.Text = string.Empty;
|
|
||||||
tbLineY2.Text = string.Empty;
|
|
||||||
|
|
||||||
|
|
||||||
this.canvas.Shapes.RemoveAll(shp => shp.ShapeType == ShapeTypeEnum.Line);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Line);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OpenImageFile(bitmap =>
|
|
||||||
{
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
|
|
||||||
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_newShape()
|
|
||||||
{
|
|
||||||
this.canvas.StopDraw();
|
|
||||||
}
|
|
||||||
string strarrayX = string.Empty;
|
|
||||||
string strarrayY = string.Empty;
|
|
||||||
private void btnExecute_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (this.tbLineX1.Text.Trim().Length == 0)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先创建直线");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
this.canvas.OutsideShapes.Clear();
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
|
|
||||||
|
|
||||||
flag = new List<double>();
|
|
||||||
RowBegin = new List<double>();
|
|
||||||
ColBegin = new List<double>();
|
|
||||||
RowEnd = new List<double>();
|
|
||||||
ColEnd = new List<double>();
|
|
||||||
Dictionary<string, HObject> inputImg = new Dictionary<string, HObject>();
|
|
||||||
|
|
||||||
if (hImage == null)
|
|
||||||
{
|
|
||||||
HOperatorSet.ReadImage(out hImage, CurrentImageFile);
|
|
||||||
}
|
|
||||||
inputImg["INPUT_Image"] = hImage;
|
|
||||||
// 创建一维数组
|
|
||||||
|
|
||||||
Dictionary<string, HTuple> inputPara = new Dictionary<string, HTuple>();
|
|
||||||
|
|
||||||
// 获取矩形的 4 个点
|
|
||||||
PointF[] Points = this._line.LineVirtualRectPoints;
|
|
||||||
PointF Point1 = Points[0];
|
|
||||||
PointF Point2 = Points[1];
|
|
||||||
PointF Point3 = Points[2];
|
|
||||||
PointF Point4 = Points[3];
|
|
||||||
PointF Point5 = Points[0];
|
|
||||||
|
|
||||||
float x1 = Point1.X;
|
|
||||||
float y1 = Point1.Y;
|
|
||||||
|
|
||||||
float x2 = Point2.X;
|
|
||||||
float y2 = Point2.Y;
|
|
||||||
|
|
||||||
float x3 = Point3.X;
|
|
||||||
float y3 = Point3.Y;
|
|
||||||
|
|
||||||
float x4 = Point4.X;
|
|
||||||
float y4 = Point4.Y;
|
|
||||||
|
|
||||||
float x5 = Point5.X;
|
|
||||||
float y5 = Point5.Y;
|
|
||||||
|
|
||||||
|
|
||||||
float[] arrayX = new float[] { x1, x2, x3, x4, x5 };
|
|
||||||
HTuple hTupleArrayX = new HTuple(arrayX);
|
|
||||||
|
|
||||||
float[] arrayY = new float[] { y1, y2, y3, y4, y5 };
|
|
||||||
HTuple hTupleArrayY = new HTuple(arrayY);
|
|
||||||
|
|
||||||
strarrayX = string.Join(",", arrayX);
|
|
||||||
strarrayY = string.Join(",", arrayY);
|
|
||||||
|
|
||||||
inputPara["LX"] = _lineX1;
|
|
||||||
inputPara["LY"] = _lineY1;
|
|
||||||
inputPara["RX"] = _lineX2;
|
|
||||||
inputPara["RY"] = _lineY2;
|
|
||||||
inputPara["XRect"] = hTupleArrayX;
|
|
||||||
inputPara["YRect"] = hTupleArrayY;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
List<string> outputKeys = new List<string>()
|
|
||||||
{
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"RowBegin",
|
|
||||||
"ColBegin",
|
|
||||||
"RowEnd",
|
|
||||||
"ColEnd"
|
|
||||||
};
|
|
||||||
|
|
||||||
ExecuteHScript(
|
|
||||||
inputImg,
|
|
||||||
inputPara,
|
|
||||||
outputKeys);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
List<double> flag = new List<double>();
|
|
||||||
List<double> RowBegin = new List<double>();
|
|
||||||
List<double> ColBegin = new List<double>();
|
|
||||||
List<double> RowEnd = new List<double>();
|
|
||||||
List<double> ColEnd = new List<double>();
|
|
||||||
|
|
||||||
|
|
||||||
protected override void OnExecuteHScriptResult(
|
|
||||||
bool success,
|
|
||||||
Dictionary<string, HTuple> resultDic,
|
|
||||||
int timeElasped)
|
|
||||||
{
|
|
||||||
if (!success)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/*
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"RXCenter",
|
|
||||||
"RYCenter",
|
|
||||||
"RRadius"
|
|
||||||
*/
|
|
||||||
|
|
||||||
flag = resultDic["OUTPUT_Flag"].HTupleToDouble();
|
|
||||||
RowBegin = resultDic["RowBegin"].HTupleToDouble();
|
|
||||||
ColBegin = resultDic["ColBegin"].HTupleToDouble();
|
|
||||||
RowEnd = resultDic["RowEnd"].HTupleToDouble();
|
|
||||||
ColEnd = resultDic["ColEnd"].HTupleToDouble();
|
|
||||||
if (flag.Count > 0)
|
|
||||||
{
|
|
||||||
lblResult.Text = flag[0].ToString();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblResult.Text = "无";
|
|
||||||
}
|
|
||||||
if (flag.Count > 0 && RowBegin.Count > 0 && ColBegin.Count > 0 && RowEnd.Count > 0 && ColEnd.Count > 0)
|
|
||||||
{
|
|
||||||
float width = 0;
|
|
||||||
this.canvas.DrawLine(new PointF((float)ColBegin[0], (float)RowBegin[0]), new PointF((float)ColEnd[0], (float)RowEnd[0]), width);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
lblElapsed.Text = $"{timeElasped} ms";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void NumRectWidth1_ValueChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (_line != null)
|
|
||||||
{
|
|
||||||
//_line1.IsDrawLineVirtualRect = true;
|
|
||||||
_line.LineVirtualRectWidth = (float)NumRectWidth1.Value;
|
|
||||||
UpdateShape(_line);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnSave_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (lblResult.Text.Equals("无"))
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先进行绘制");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (lblResult.Text != "0")
|
|
||||||
{
|
|
||||||
MessageBox.Show("测量计算错误,无法保存");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
//flag = resultDic["OUTPUT_Flag"].HTupleToDouble();
|
|
||||||
//RowBegin = resultDic["RowBegin"].HTupleToDouble();
|
|
||||||
//ColBegin = resultDic["ColBegin"].HTupleToDouble();
|
|
||||||
//RowEnd = resultDic["RowEnd"].HTupleToDouble();
|
|
||||||
//ColEnd = resultDic["ColEnd"].HTupleToDouble();
|
|
||||||
|
|
||||||
|
|
||||||
string input = $"LX:{_lineX1};" +
|
|
||||||
$"LY:{_lineY1};" +
|
|
||||||
$"RX:{_lineX2};" +
|
|
||||||
$"RY:{_lineY2};" +
|
|
||||||
$"Line_XRect:{strarrayX};" +
|
|
||||||
$"Line_YRect:{strarrayY}";
|
|
||||||
|
|
||||||
|
|
||||||
string result = $"RowBegin:{string.Join(";", RowBegin[0])};ColBegin:{string.Join(";", ColBegin[0])};RowEnd:{string.Join(";", RowEnd[0])};ColEnd:{string.Join(";", ColEnd[0])}";
|
|
||||||
|
|
||||||
DataToTriggerEvent(input, result);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,145 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<data name="canvas.OutsideShapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<data name="canvas.Shapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
570
CanFly/UI/GuidePanel/GuideLineLineCtrl.Designer.cs
generated
570
CanFly/UI/GuidePanel/GuideLineLineCtrl.Designer.cs
generated
@ -1,570 +0,0 @@
|
|||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
partial class GuideLineLineCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Required designer variable.
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Clean up any resources being used.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Windows Form Designer generated code
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Required method for Designer support - do not modify
|
|
||||||
/// the contents of this method with the code editor.
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(GuideLineLineCtrl));
|
|
||||||
lblStatus = new ToolStripStatusLabel();
|
|
||||||
panel1 = new Panel();
|
|
||||||
canvas = new Canvas.UI.FlyCanvas();
|
|
||||||
statusStrip1 = new StatusStrip();
|
|
||||||
ctrlTitleBar = new CtrlTitleBar();
|
|
||||||
tbLine1X2 = new TextBox();
|
|
||||||
label8 = new Label();
|
|
||||||
tbLine1Y2 = new TextBox();
|
|
||||||
label5 = new Label();
|
|
||||||
label10 = new Label();
|
|
||||||
tbLine1X1 = new TextBox();
|
|
||||||
tbLine1Y1 = new TextBox();
|
|
||||||
label6 = new Label();
|
|
||||||
label7 = new Label();
|
|
||||||
btnLoadImage = new Button();
|
|
||||||
label9 = new Label();
|
|
||||||
btnExecute = new Button();
|
|
||||||
panelGuide = new Panel();
|
|
||||||
lblDistance = new Label();
|
|
||||||
label17 = new Label();
|
|
||||||
lblResult = new Label();
|
|
||||||
label15 = new Label();
|
|
||||||
groupBox3 = new GroupBox();
|
|
||||||
NumRectWidth2 = new NumericUpDown();
|
|
||||||
label2 = new Label();
|
|
||||||
tbLine2X2 = new TextBox();
|
|
||||||
label11 = new Label();
|
|
||||||
tbLine2Y2 = new TextBox();
|
|
||||||
label12 = new Label();
|
|
||||||
tbLine2X1 = new TextBox();
|
|
||||||
tbLine2Y1 = new TextBox();
|
|
||||||
label13 = new Label();
|
|
||||||
label14 = new Label();
|
|
||||||
groupBox2 = new GroupBox();
|
|
||||||
NumRectWidth1 = new NumericUpDown();
|
|
||||||
label1 = new Label();
|
|
||||||
splitContainer = new SplitContainer();
|
|
||||||
lblElapsed = new Label();
|
|
||||||
label4 = new Label();
|
|
||||||
btnSave = new Button();
|
|
||||||
panel1.SuspendLayout();
|
|
||||||
statusStrip1.SuspendLayout();
|
|
||||||
panelGuide.SuspendLayout();
|
|
||||||
groupBox3.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth2).BeginInit();
|
|
||||||
groupBox2.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth1).BeginInit();
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).BeginInit();
|
|
||||||
splitContainer.Panel1.SuspendLayout();
|
|
||||||
splitContainer.Panel2.SuspendLayout();
|
|
||||||
splitContainer.SuspendLayout();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// lblStatus
|
|
||||||
//
|
|
||||||
lblStatus.Name = "lblStatus";
|
|
||||||
lblStatus.Size = new Size(44, 17);
|
|
||||||
lblStatus.Text = " ";
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
panel1.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panel1.Controls.Add(canvas);
|
|
||||||
panel1.Controls.Add(statusStrip1);
|
|
||||||
panel1.Dock = DockStyle.Fill;
|
|
||||||
panel1.Location = new Point(0, 0);
|
|
||||||
panel1.Name = "panel1";
|
|
||||||
panel1.Size = new Size(1076, 640);
|
|
||||||
panel1.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// canvas
|
|
||||||
//
|
|
||||||
canvas.AllowMultiSelect = false;
|
|
||||||
canvas.CreateMode = Canvas.Shape.ShapeTypeEnum.Polygon;
|
|
||||||
canvas.Dock = DockStyle.Fill;
|
|
||||||
canvas.Enabled = false;
|
|
||||||
canvas.FillDrawing = false;
|
|
||||||
canvas.Location = new Point(0, 0);
|
|
||||||
canvas.Margin = new Padding(2);
|
|
||||||
canvas.Name = "canvas";
|
|
||||||
canvas.OutsideShapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.OutsideShapes");
|
|
||||||
canvas.Scale = 1F;
|
|
||||||
canvas.Shapes = (List<Canvas.Shape.FlyShape>)resources.GetObject("canvas.Shapes");
|
|
||||||
canvas.Size = new Size(1074, 616);
|
|
||||||
canvas.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// statusStrip1
|
|
||||||
//
|
|
||||||
statusStrip1.Items.AddRange(new ToolStripItem[] { lblStatus });
|
|
||||||
statusStrip1.Location = new Point(0, 616);
|
|
||||||
statusStrip1.Name = "statusStrip1";
|
|
||||||
statusStrip1.Size = new Size(1074, 22);
|
|
||||||
statusStrip1.TabIndex = 1;
|
|
||||||
statusStrip1.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// ctrlTitleBar
|
|
||||||
//
|
|
||||||
ctrlTitleBar.Dock = DockStyle.Top;
|
|
||||||
ctrlTitleBar.Location = new Point(0, 0);
|
|
||||||
ctrlTitleBar.MinimumSize = new Size(0, 36);
|
|
||||||
ctrlTitleBar.Name = "ctrlTitleBar";
|
|
||||||
ctrlTitleBar.Padding = new Padding(3);
|
|
||||||
ctrlTitleBar.Size = new Size(198, 36);
|
|
||||||
ctrlTitleBar.TabIndex = 11;
|
|
||||||
ctrlTitleBar.Title = "线线测量";
|
|
||||||
//
|
|
||||||
// tbLine1X2
|
|
||||||
//
|
|
||||||
tbLine1X2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine1X2.Location = new Point(56, 80);
|
|
||||||
tbLine1X2.Name = "tbLine1X2";
|
|
||||||
tbLine1X2.Size = new Size(134, 23);
|
|
||||||
tbLine1X2.TabIndex = 9;
|
|
||||||
//
|
|
||||||
// label8
|
|
||||||
//
|
|
||||||
label8.AutoSize = true;
|
|
||||||
label8.Location = new Point(6, 83);
|
|
||||||
label8.Name = "label8";
|
|
||||||
label8.Size = new Size(26, 17);
|
|
||||||
label8.TabIndex = 8;
|
|
||||||
label8.Text = "X2:";
|
|
||||||
//
|
|
||||||
// tbLine1Y2
|
|
||||||
//
|
|
||||||
tbLine1Y2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine1Y2.Location = new Point(56, 109);
|
|
||||||
tbLine1Y2.Name = "tbLine1Y2";
|
|
||||||
tbLine1Y2.Size = new Size(134, 23);
|
|
||||||
tbLine1Y2.TabIndex = 7;
|
|
||||||
//
|
|
||||||
// label5
|
|
||||||
//
|
|
||||||
label5.AutoSize = true;
|
|
||||||
label5.Location = new Point(6, 112);
|
|
||||||
label5.Name = "label5";
|
|
||||||
label5.Size = new Size(25, 17);
|
|
||||||
label5.TabIndex = 6;
|
|
||||||
label5.Text = "Y2:";
|
|
||||||
//
|
|
||||||
// label10
|
|
||||||
//
|
|
||||||
label10.AutoSize = true;
|
|
||||||
label10.Location = new Point(6, 521);
|
|
||||||
label10.Name = "label10";
|
|
||||||
label10.Size = new Size(44, 17);
|
|
||||||
label10.TabIndex = 16;
|
|
||||||
label10.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// tbLine1X1
|
|
||||||
//
|
|
||||||
tbLine1X1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine1X1.Location = new Point(56, 22);
|
|
||||||
tbLine1X1.Name = "tbLine1X1";
|
|
||||||
tbLine1X1.Size = new Size(134, 23);
|
|
||||||
tbLine1X1.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// tbLine1Y1
|
|
||||||
//
|
|
||||||
tbLine1Y1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine1Y1.Location = new Point(56, 51);
|
|
||||||
tbLine1Y1.Name = "tbLine1Y1";
|
|
||||||
tbLine1Y1.Size = new Size(134, 23);
|
|
||||||
tbLine1Y1.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// label6
|
|
||||||
//
|
|
||||||
label6.AutoSize = true;
|
|
||||||
label6.Location = new Point(6, 54);
|
|
||||||
label6.Name = "label6";
|
|
||||||
label6.Size = new Size(25, 17);
|
|
||||||
label6.TabIndex = 1;
|
|
||||||
label6.Text = "Y1:";
|
|
||||||
//
|
|
||||||
// label7
|
|
||||||
//
|
|
||||||
label7.AutoSize = true;
|
|
||||||
label7.Location = new Point(6, 25);
|
|
||||||
label7.Name = "label7";
|
|
||||||
label7.Size = new Size(26, 17);
|
|
||||||
label7.TabIndex = 0;
|
|
||||||
label7.Text = "X1:";
|
|
||||||
//
|
|
||||||
// btnLoadImage
|
|
||||||
//
|
|
||||||
btnLoadImage.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnLoadImage.Location = new Point(6, 394);
|
|
||||||
btnLoadImage.Name = "btnLoadImage";
|
|
||||||
btnLoadImage.Size = new Size(184, 32);
|
|
||||||
btnLoadImage.TabIndex = 18;
|
|
||||||
btnLoadImage.Text = "打开图片";
|
|
||||||
btnLoadImage.UseVisualStyleBackColor = true;
|
|
||||||
btnLoadImage.Click += btnLoadImage_Click;
|
|
||||||
//
|
|
||||||
// label9
|
|
||||||
//
|
|
||||||
label9.AutoSize = true;
|
|
||||||
label9.Location = new Point(54, 521);
|
|
||||||
label9.Name = "label9";
|
|
||||||
label9.Size = new Size(32, 17);
|
|
||||||
label9.TabIndex = 17;
|
|
||||||
label9.Text = "0ms";
|
|
||||||
//
|
|
||||||
// btnExecute
|
|
||||||
//
|
|
||||||
btnExecute.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnExecute.Location = new Point(5, 432);
|
|
||||||
btnExecute.Name = "btnExecute";
|
|
||||||
btnExecute.Size = new Size(184, 32);
|
|
||||||
btnExecute.TabIndex = 15;
|
|
||||||
btnExecute.Text = "执行";
|
|
||||||
btnExecute.UseVisualStyleBackColor = true;
|
|
||||||
btnExecute.Click += btnExecute_Click;
|
|
||||||
//
|
|
||||||
// panelGuide
|
|
||||||
//
|
|
||||||
panelGuide.BorderStyle = BorderStyle.FixedSingle;
|
|
||||||
panelGuide.Controls.Add(btnSave);
|
|
||||||
panelGuide.Controls.Add(lblDistance);
|
|
||||||
panelGuide.Controls.Add(label17);
|
|
||||||
panelGuide.Controls.Add(lblResult);
|
|
||||||
panelGuide.Controls.Add(label15);
|
|
||||||
panelGuide.Controls.Add(groupBox3);
|
|
||||||
panelGuide.Controls.Add(btnLoadImage);
|
|
||||||
panelGuide.Controls.Add(label9);
|
|
||||||
panelGuide.Controls.Add(btnExecute);
|
|
||||||
panelGuide.Controls.Add(label10);
|
|
||||||
panelGuide.Controls.Add(groupBox2);
|
|
||||||
panelGuide.Controls.Add(ctrlTitleBar);
|
|
||||||
panelGuide.Dock = DockStyle.Fill;
|
|
||||||
panelGuide.Location = new Point(0, 0);
|
|
||||||
panelGuide.Name = "panelGuide";
|
|
||||||
panelGuide.Size = new Size(200, 640);
|
|
||||||
panelGuide.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// lblDistance
|
|
||||||
//
|
|
||||||
lblDistance.AutoSize = true;
|
|
||||||
lblDistance.Location = new Point(54, 493);
|
|
||||||
lblDistance.Name = "lblDistance";
|
|
||||||
lblDistance.Size = new Size(15, 17);
|
|
||||||
lblDistance.TabIndex = 25;
|
|
||||||
lblDistance.Text = "0";
|
|
||||||
//
|
|
||||||
// label17
|
|
||||||
//
|
|
||||||
label17.AutoSize = true;
|
|
||||||
label17.Location = new Point(6, 493);
|
|
||||||
label17.Name = "label17";
|
|
||||||
label17.Size = new Size(44, 17);
|
|
||||||
label17.TabIndex = 24;
|
|
||||||
label17.Text = "距离:";
|
|
||||||
//
|
|
||||||
// lblResult
|
|
||||||
//
|
|
||||||
lblResult.AutoSize = true;
|
|
||||||
lblResult.Location = new Point(54, 467);
|
|
||||||
lblResult.Name = "lblResult";
|
|
||||||
lblResult.Size = new Size(20, 17);
|
|
||||||
lblResult.TabIndex = 23;
|
|
||||||
lblResult.Text = "无";
|
|
||||||
//
|
|
||||||
// label15
|
|
||||||
//
|
|
||||||
label15.AutoSize = true;
|
|
||||||
label15.Location = new Point(6, 467);
|
|
||||||
label15.Name = "label15";
|
|
||||||
label15.Size = new Size(44, 17);
|
|
||||||
label15.TabIndex = 22;
|
|
||||||
label15.Text = "结果:";
|
|
||||||
//
|
|
||||||
// groupBox3
|
|
||||||
//
|
|
||||||
groupBox3.Controls.Add(NumRectWidth2);
|
|
||||||
groupBox3.Controls.Add(label2);
|
|
||||||
groupBox3.Controls.Add(tbLine2X2);
|
|
||||||
groupBox3.Controls.Add(label11);
|
|
||||||
groupBox3.Controls.Add(tbLine2Y2);
|
|
||||||
groupBox3.Controls.Add(label12);
|
|
||||||
groupBox3.Controls.Add(tbLine2X1);
|
|
||||||
groupBox3.Controls.Add(tbLine2Y1);
|
|
||||||
groupBox3.Controls.Add(label13);
|
|
||||||
groupBox3.Controls.Add(label14);
|
|
||||||
groupBox3.Dock = DockStyle.Top;
|
|
||||||
groupBox3.Location = new Point(0, 216);
|
|
||||||
groupBox3.Name = "groupBox3";
|
|
||||||
groupBox3.Size = new Size(198, 172);
|
|
||||||
groupBox3.TabIndex = 21;
|
|
||||||
groupBox3.TabStop = false;
|
|
||||||
groupBox3.Text = "线2参数";
|
|
||||||
//
|
|
||||||
// NumRectWidth2
|
|
||||||
//
|
|
||||||
NumRectWidth2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
NumRectWidth2.Location = new Point(53, 138);
|
|
||||||
NumRectWidth2.Maximum = new decimal(new int[] { 9000, 0, 0, 0 });
|
|
||||||
NumRectWidth2.Minimum = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
NumRectWidth2.Name = "NumRectWidth2";
|
|
||||||
NumRectWidth2.Size = new Size(136, 23);
|
|
||||||
NumRectWidth2.TabIndex = 13;
|
|
||||||
NumRectWidth2.Value = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
//
|
|
||||||
// label2
|
|
||||||
//
|
|
||||||
label2.AutoSize = true;
|
|
||||||
label2.Location = new Point(6, 140);
|
|
||||||
label2.Name = "label2";
|
|
||||||
label2.Size = new Size(35, 17);
|
|
||||||
label2.TabIndex = 12;
|
|
||||||
label2.Text = "宽度:";
|
|
||||||
//
|
|
||||||
// tbLine2X2
|
|
||||||
//
|
|
||||||
tbLine2X2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine2X2.Location = new Point(56, 80);
|
|
||||||
tbLine2X2.Name = "tbLine2X2";
|
|
||||||
tbLine2X2.Size = new Size(134, 23);
|
|
||||||
tbLine2X2.TabIndex = 9;
|
|
||||||
//
|
|
||||||
// label11
|
|
||||||
//
|
|
||||||
label11.AutoSize = true;
|
|
||||||
label11.Location = new Point(6, 83);
|
|
||||||
label11.Name = "label11";
|
|
||||||
label11.Size = new Size(26, 17);
|
|
||||||
label11.TabIndex = 8;
|
|
||||||
label11.Text = "X2:";
|
|
||||||
//
|
|
||||||
// tbLine2Y2
|
|
||||||
//
|
|
||||||
tbLine2Y2.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine2Y2.Location = new Point(56, 109);
|
|
||||||
tbLine2Y2.Name = "tbLine2Y2";
|
|
||||||
tbLine2Y2.Size = new Size(136, 23);
|
|
||||||
tbLine2Y2.TabIndex = 7;
|
|
||||||
//
|
|
||||||
// label12
|
|
||||||
//
|
|
||||||
label12.AutoSize = true;
|
|
||||||
label12.Location = new Point(6, 112);
|
|
||||||
label12.Name = "label12";
|
|
||||||
label12.Size = new Size(25, 17);
|
|
||||||
label12.TabIndex = 6;
|
|
||||||
label12.Text = "Y2:";
|
|
||||||
//
|
|
||||||
// tbLine2X1
|
|
||||||
//
|
|
||||||
tbLine2X1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine2X1.Location = new Point(56, 22);
|
|
||||||
tbLine2X1.Name = "tbLine2X1";
|
|
||||||
tbLine2X1.Size = new Size(134, 23);
|
|
||||||
tbLine2X1.TabIndex = 5;
|
|
||||||
//
|
|
||||||
// tbLine2Y1
|
|
||||||
//
|
|
||||||
tbLine2Y1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
tbLine2Y1.Location = new Point(56, 51);
|
|
||||||
tbLine2Y1.Name = "tbLine2Y1";
|
|
||||||
tbLine2Y1.Size = new Size(134, 23);
|
|
||||||
tbLine2Y1.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// label13
|
|
||||||
//
|
|
||||||
label13.AutoSize = true;
|
|
||||||
label13.Location = new Point(6, 54);
|
|
||||||
label13.Name = "label13";
|
|
||||||
label13.Size = new Size(25, 17);
|
|
||||||
label13.TabIndex = 1;
|
|
||||||
label13.Text = "Y1:";
|
|
||||||
//
|
|
||||||
// label14
|
|
||||||
//
|
|
||||||
label14.AutoSize = true;
|
|
||||||
label14.Location = new Point(6, 25);
|
|
||||||
label14.Name = "label14";
|
|
||||||
label14.Size = new Size(26, 17);
|
|
||||||
label14.TabIndex = 0;
|
|
||||||
label14.Text = "X1:";
|
|
||||||
//
|
|
||||||
// groupBox2
|
|
||||||
//
|
|
||||||
groupBox2.Controls.Add(NumRectWidth1);
|
|
||||||
groupBox2.Controls.Add(label1);
|
|
||||||
groupBox2.Controls.Add(tbLine1X2);
|
|
||||||
groupBox2.Controls.Add(label8);
|
|
||||||
groupBox2.Controls.Add(tbLine1Y2);
|
|
||||||
groupBox2.Controls.Add(label5);
|
|
||||||
groupBox2.Controls.Add(tbLine1X1);
|
|
||||||
groupBox2.Controls.Add(tbLine1Y1);
|
|
||||||
groupBox2.Controls.Add(label6);
|
|
||||||
groupBox2.Controls.Add(label7);
|
|
||||||
groupBox2.Dock = DockStyle.Top;
|
|
||||||
groupBox2.Location = new Point(0, 36);
|
|
||||||
groupBox2.Name = "groupBox2";
|
|
||||||
groupBox2.Size = new Size(198, 180);
|
|
||||||
groupBox2.TabIndex = 13;
|
|
||||||
groupBox2.TabStop = false;
|
|
||||||
groupBox2.Text = "线1参数";
|
|
||||||
//
|
|
||||||
// NumRectWidth1
|
|
||||||
//
|
|
||||||
NumRectWidth1.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
NumRectWidth1.Location = new Point(54, 138);
|
|
||||||
NumRectWidth1.Maximum = new decimal(new int[] { 9000, 0, 0, 0 });
|
|
||||||
NumRectWidth1.Minimum = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
NumRectWidth1.Name = "NumRectWidth1";
|
|
||||||
NumRectWidth1.Size = new Size(135, 23);
|
|
||||||
NumRectWidth1.TabIndex = 11;
|
|
||||||
NumRectWidth1.Value = new decimal(new int[] { 1, 0, 0, 0 });
|
|
||||||
//
|
|
||||||
// label1
|
|
||||||
//
|
|
||||||
label1.AutoSize = true;
|
|
||||||
label1.Location = new Point(6, 140);
|
|
||||||
label1.Name = "label1";
|
|
||||||
label1.Size = new Size(35, 17);
|
|
||||||
label1.TabIndex = 10;
|
|
||||||
label1.Text = "宽度:";
|
|
||||||
//
|
|
||||||
// splitContainer
|
|
||||||
//
|
|
||||||
splitContainer.Dock = DockStyle.Fill;
|
|
||||||
splitContainer.Location = new Point(0, 0);
|
|
||||||
splitContainer.Name = "splitContainer";
|
|
||||||
//
|
|
||||||
// splitContainer.Panel1
|
|
||||||
//
|
|
||||||
splitContainer.Panel1.Controls.Add(panelGuide);
|
|
||||||
splitContainer.Panel1MinSize = 150;
|
|
||||||
//
|
|
||||||
// splitContainer.Panel2
|
|
||||||
//
|
|
||||||
splitContainer.Panel2.Controls.Add(panel1);
|
|
||||||
splitContainer.Size = new Size(1280, 640);
|
|
||||||
splitContainer.SplitterDistance = 200;
|
|
||||||
splitContainer.TabIndex = 11;
|
|
||||||
//
|
|
||||||
// lblElapsed
|
|
||||||
//
|
|
||||||
lblElapsed.AutoSize = true;
|
|
||||||
lblElapsed.Location = new Point(50, 328);
|
|
||||||
lblElapsed.Name = "lblElapsed";
|
|
||||||
lblElapsed.Size = new Size(32, 17);
|
|
||||||
lblElapsed.TabIndex = 13;
|
|
||||||
lblElapsed.Text = "0ms";
|
|
||||||
//
|
|
||||||
// label4
|
|
||||||
//
|
|
||||||
label4.AutoSize = true;
|
|
||||||
label4.Location = new Point(0, 328);
|
|
||||||
label4.Name = "label4";
|
|
||||||
label4.Size = new Size(44, 17);
|
|
||||||
label4.TabIndex = 12;
|
|
||||||
label4.Text = "耗时:";
|
|
||||||
//
|
|
||||||
// btnSave
|
|
||||||
//
|
|
||||||
btnSave.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
btnSave.Location = new Point(3, 541);
|
|
||||||
btnSave.Name = "btnSave";
|
|
||||||
btnSave.Size = new Size(186, 32);
|
|
||||||
btnSave.TabIndex = 26;
|
|
||||||
btnSave.Text = "保存数据";
|
|
||||||
btnSave.UseVisualStyleBackColor = true;
|
|
||||||
btnSave.Click += btnSave_Click;
|
|
||||||
//
|
|
||||||
// GuideLineLineCtrl
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Controls.Add(splitContainer);
|
|
||||||
Controls.Add(lblElapsed);
|
|
||||||
Controls.Add(label4);
|
|
||||||
Name = "GuideLineLineCtrl";
|
|
||||||
Size = new Size(1280, 640);
|
|
||||||
panel1.ResumeLayout(false);
|
|
||||||
panel1.PerformLayout();
|
|
||||||
statusStrip1.ResumeLayout(false);
|
|
||||||
statusStrip1.PerformLayout();
|
|
||||||
panelGuide.ResumeLayout(false);
|
|
||||||
panelGuide.PerformLayout();
|
|
||||||
groupBox3.ResumeLayout(false);
|
|
||||||
groupBox3.PerformLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth2).EndInit();
|
|
||||||
groupBox2.ResumeLayout(false);
|
|
||||||
groupBox2.PerformLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)NumRectWidth1).EndInit();
|
|
||||||
splitContainer.Panel1.ResumeLayout(false);
|
|
||||||
splitContainer.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)splitContainer).EndInit();
|
|
||||||
splitContainer.ResumeLayout(false);
|
|
||||||
ResumeLayout(false);
|
|
||||||
PerformLayout();
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private ToolStripStatusLabel lblStatus;
|
|
||||||
private Panel panel1;
|
|
||||||
private Canvas.UI.FlyCanvas canvas;
|
|
||||||
private StatusStrip statusStrip1;
|
|
||||||
private CtrlTitleBar ctrlTitleBar;
|
|
||||||
private TextBox tbLine1X2;
|
|
||||||
private Label label8;
|
|
||||||
private TextBox tbLine1Y2;
|
|
||||||
private Label label5;
|
|
||||||
private Label label10;
|
|
||||||
private TextBox tbLine1X1;
|
|
||||||
private TextBox tbLine1Y1;
|
|
||||||
private Label label6;
|
|
||||||
private Label label7;
|
|
||||||
private Button btnLoadImage;
|
|
||||||
private Label label9;
|
|
||||||
private Button btnExecute;
|
|
||||||
private Panel panelGuide;
|
|
||||||
private GroupBox groupBox2;
|
|
||||||
private SplitContainer splitContainer;
|
|
||||||
private Label lblElapsed;
|
|
||||||
private Label label4;
|
|
||||||
private GroupBox groupBox3;
|
|
||||||
private TextBox tbLine2X2;
|
|
||||||
private Label label11;
|
|
||||||
private TextBox tbLine2Y2;
|
|
||||||
private Label label12;
|
|
||||||
private TextBox tbLine2X1;
|
|
||||||
private TextBox tbLine2Y1;
|
|
||||||
private Label label13;
|
|
||||||
private Label label14;
|
|
||||||
private Label label1;
|
|
||||||
private Label label2;
|
|
||||||
private NumericUpDown NumRectWidth2;
|
|
||||||
private NumericUpDown NumRectWidth1;
|
|
||||||
private Label lblDistance;
|
|
||||||
private Label label17;
|
|
||||||
private Label lblResult;
|
|
||||||
private Label label15;
|
|
||||||
private Button btnSave;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,526 +0,0 @@
|
|||||||
using CanFly.Canvas.Helper;
|
|
||||||
using CanFly.Canvas.Shape;
|
|
||||||
using CanFly.Helper;
|
|
||||||
using HalconDotNet;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace CanFly.UI.GuidePanel
|
|
||||||
{
|
|
||||||
public partial class GuideLineLineCtrl : BaseGuideControl
|
|
||||||
{
|
|
||||||
private FlyShape? _line1;
|
|
||||||
private FlyShape? _line2;
|
|
||||||
|
|
||||||
private float _line1X1;
|
|
||||||
private float _line1Y1;
|
|
||||||
private float _line1X2;
|
|
||||||
private float _line1Y2;
|
|
||||||
private float _lineWidth;
|
|
||||||
|
|
||||||
private float _line2X1;
|
|
||||||
private float _line2Y1;
|
|
||||||
private float _line2X2;
|
|
||||||
private float _line2Y2;
|
|
||||||
private float _line2Width;
|
|
||||||
|
|
||||||
protected override string GetScriptFileName() => "LineToLine.hdvp";
|
|
||||||
|
|
||||||
|
|
||||||
public GuideLineLineCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
this.canvas.mouseMoved += Canvas_mouseMoved;
|
|
||||||
this.canvas.OnShapeUpdateEvent += UpdateShape;
|
|
||||||
this.canvas.selectionChanged += Canvas_selectionChanged;
|
|
||||||
|
|
||||||
this.canvas.OnShapeMoving += Canvas_OnShapeMoving;
|
|
||||||
this.canvas.newShape += Canvas_newShape;
|
|
||||||
|
|
||||||
this.ctrlTitleBar.OnCloseClicked += OnControlClose;
|
|
||||||
NumRectWidth1.ValueChanged -= NumRectWidth1_ValueChanged;
|
|
||||||
NumRectWidth1.Value = 40;
|
|
||||||
NumRectWidth1.ValueChanged += NumRectWidth1_ValueChanged;
|
|
||||||
|
|
||||||
NumRectWidth2.ValueChanged -= NumericUpDown2_ValueChanged;
|
|
||||||
NumRectWidth2.Value = 40;
|
|
||||||
NumRectWidth2.ValueChanged += NumericUpDown2_ValueChanged;
|
|
||||||
|
|
||||||
}
|
|
||||||
protected override void UpdateShape(FlyShape shape)
|
|
||||||
{
|
|
||||||
switch (shape.ShapeType)
|
|
||||||
{
|
|
||||||
case ShapeTypeEnum.Line:
|
|
||||||
// 判断是否为第一条直线或第二条直线
|
|
||||||
if (_line1 == shape)
|
|
||||||
{
|
|
||||||
//_line1 = shape;
|
|
||||||
var pts1 = _line1.Points;
|
|
||||||
_line1X1 = pts1[0].X;
|
|
||||||
_line1Y1 = pts1[0].Y;
|
|
||||||
_line1X2 = pts1[1].X;
|
|
||||||
_line1Y2 = pts1[1].Y;
|
|
||||||
_lineWidth = _line1.LineVirtualRectWidth;
|
|
||||||
|
|
||||||
tbLine1X1.Text = _line1X1.ToString("F3");
|
|
||||||
tbLine1Y1.Text = _line1Y1.ToString("F3");
|
|
||||||
tbLine1X2.Text = _line1X2.ToString("F3");
|
|
||||||
tbLine1Y2.Text = _line1Y2.ToString("F3");
|
|
||||||
//NumRectWidth1.Value = (decimal)_lineWidth;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
//_line2 = shape;
|
|
||||||
var pts2 = _line2.Points;
|
|
||||||
_line2X1 = pts2[0].X;
|
|
||||||
_line2Y1 = pts2[0].Y;
|
|
||||||
_line2X2 = pts2[1].X;
|
|
||||||
_line2Y2 = pts2[1].Y;
|
|
||||||
_line2Width = _line2.LineVirtualRectWidth;
|
|
||||||
|
|
||||||
tbLine2X1.Text = _line2X1.ToString("F3");
|
|
||||||
tbLine2Y1.Text = _line2Y1.ToString("F3");
|
|
||||||
tbLine2X2.Text = _line2X2.ToString("F3");
|
|
||||||
tbLine2Y2.Text = _line2Y2.ToString("F3");
|
|
||||||
// NumRectWidth2.Value = (decimal)_line2Width;
|
|
||||||
}
|
|
||||||
|
|
||||||
break;
|
|
||||||
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void GuideLineCircleCtrl_Load(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_mouseMoved(PointF pos)
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(Canvas_mouseMoved, pos);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
lblStatus.Text = $"X:{pos.X}, Y:{pos.Y}";
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_selectionChanged(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
//if (shapes.Count != 1)
|
|
||||||
//{
|
|
||||||
// // panelGuide.Controls.Clear();
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
//SwitchGuideForm(shapes[0].ShapeType);
|
|
||||||
// Canvas_OnShapeUpdateEvent(shapes[0]);
|
|
||||||
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
private void Canvas_OnShapeMoving(List<FlyShape> shapes)
|
|
||||||
{
|
|
||||||
if (shapes.Count != 1)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
UpdateShape(shapes[0]);
|
|
||||||
}
|
|
||||||
private void Canvas_newShape()
|
|
||||||
{
|
|
||||||
// 自动切换到下一条直线绘制
|
|
||||||
if (_line1 == null)
|
|
||||||
{
|
|
||||||
_line1 = this.canvas.Shapes.LastOrDefault(shp => shp.ShapeType == ShapeTypeEnum.Line);
|
|
||||||
}
|
|
||||||
else if (_line2 == null)
|
|
||||||
{
|
|
||||||
_line2 = this.canvas.Shapes.LastOrDefault(shp => shp.ShapeType == ShapeTypeEnum.Line);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 停止绘制模式,用户可以根据需要重新启用
|
|
||||||
this.canvas.StopDraw();
|
|
||||||
//this.canvas.StopDraw();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnCreateLineOne_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
// this.canvas.Shapes.RemoveAll(shp => shp == _line1); // 移除第一条直线
|
|
||||||
this._line1 = null;
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Line); // 启动绘制模式
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnCreateLineTwo_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
// this.canvas.Shapes.RemoveAll(shp => shp == _line2); // 移除第二条直线
|
|
||||||
this._line2 = null;
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
this.canvas.StartDraw(ShapeTypeEnum.Line); // 启动绘制模式
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnExecute_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (this.canvas.pixmap == null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先打开图片");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
this.canvas.OutsideShapes.Clear();
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
|
|
||||||
flag = new List<double>();
|
|
||||||
Distance = new List<double>();
|
|
||||||
Line1_RowBegin = new List<double>();
|
|
||||||
Line1_ColBegin = new List<double>();
|
|
||||||
Line1_RowEnd = new List<double>();
|
|
||||||
Line1_ColEnd = new List<double>();
|
|
||||||
Line2_RowBegin = new List<double>();
|
|
||||||
Line2_ColBegin = new List<double>();
|
|
||||||
Line2_RowEnd = new List<double>();
|
|
||||||
Line2_ColEnd = new List<double>();
|
|
||||||
Dictionary<string, HObject> inputImg = new Dictionary<string, HObject>();
|
|
||||||
|
|
||||||
if (hImage == null)
|
|
||||||
{
|
|
||||||
HOperatorSet.ReadImage(out hImage, CurrentImageFile);
|
|
||||||
}
|
|
||||||
inputImg["INPUT_Image"] = hImage;
|
|
||||||
|
|
||||||
Dictionary<string, HTuple> inputPara = new Dictionary<string, HTuple>();
|
|
||||||
|
|
||||||
|
|
||||||
// 获取矩形的 4 个点
|
|
||||||
PointF[] Points = this._line1.LineVirtualRectPoints;
|
|
||||||
if (Points.Count() < 4)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
PointF Point1 = Points[0];
|
|
||||||
PointF Point2 = Points[1];
|
|
||||||
PointF Point3 = Points[2];
|
|
||||||
PointF Point4 = Points[3];
|
|
||||||
PointF Point5 = Points[0];
|
|
||||||
|
|
||||||
float x1 = Point1.X;
|
|
||||||
float y1 = Point1.Y;
|
|
||||||
|
|
||||||
float x2 = Point2.X;
|
|
||||||
float y2 = Point2.Y;
|
|
||||||
|
|
||||||
float x3 = Point3.X;
|
|
||||||
float y3 = Point3.Y;
|
|
||||||
|
|
||||||
float x4 = Point4.X;
|
|
||||||
float y4 = Point4.Y;
|
|
||||||
|
|
||||||
float x5 = Point5.X;
|
|
||||||
float y5 = Point5.Y;
|
|
||||||
|
|
||||||
|
|
||||||
float[] array1X = new float[] { x1, x2, x3, x4, x5 };
|
|
||||||
HTuple hTupleArray1X = new HTuple(array1X);
|
|
||||||
|
|
||||||
float[] array1Y = new float[] { y1, y2, y3, y4, y5 };
|
|
||||||
HTuple hTupleArray1Y = new HTuple(array1Y);
|
|
||||||
|
|
||||||
|
|
||||||
strarray1X = string.Join(",", array1X);
|
|
||||||
strarray1Y = string.Join(",", array1Y);
|
|
||||||
|
|
||||||
|
|
||||||
// 获取矩形的 4 个点
|
|
||||||
PointF[] Points2 = this._line2.LineVirtualRectPoints;
|
|
||||||
if (Points2.Count() < 4)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
PointF Point21 = Points2[0];
|
|
||||||
PointF Point22 = Points2[1];
|
|
||||||
PointF Point23 = Points2[2];
|
|
||||||
PointF Point24 = Points2[3];
|
|
||||||
PointF Point25 = Points2[0];
|
|
||||||
|
|
||||||
float x21 = Point21.X;
|
|
||||||
float y21 = Point21.Y;
|
|
||||||
|
|
||||||
float x22 = Point22.X;
|
|
||||||
float y22 = Point22.Y;
|
|
||||||
|
|
||||||
float x23 = Point23.X;
|
|
||||||
float y23 = Point23.Y;
|
|
||||||
|
|
||||||
float x24 = Point24.X;
|
|
||||||
float y24 = Point24.Y;
|
|
||||||
|
|
||||||
float x25 = Point25.X;
|
|
||||||
float y25 = Point25.Y;
|
|
||||||
|
|
||||||
|
|
||||||
float[] array2X = new float[] { x21, x22, x23, x24, x25 };
|
|
||||||
HTuple hTupleArray2X = new HTuple(array2X);
|
|
||||||
|
|
||||||
float[] array2Y = new float[] { y21, y22, y23, y24, y25 };
|
|
||||||
HTuple hTupleArray2Y = new HTuple(array2Y);
|
|
||||||
|
|
||||||
|
|
||||||
strarray2X = string.Join(",", array2X);
|
|
||||||
strarray2Y = string.Join(",", array2Y);
|
|
||||||
|
|
||||||
inputPara["Line1_LX"] = _line1X1;
|
|
||||||
inputPara["Line1_LY"] = _line1Y1;
|
|
||||||
inputPara["Line1_RX"] = _line1X2;
|
|
||||||
inputPara["Line1_RY"] = _line1Y2;
|
|
||||||
|
|
||||||
inputPara["Line2_LX"] = _line2X1;
|
|
||||||
inputPara["Line2_LY"] = _line2Y1;
|
|
||||||
inputPara["Line2_RX"] = _line2X2;
|
|
||||||
inputPara["Line2_RY"] = _line2Y2;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
inputPara["Line1_XRect"] = hTupleArray1X;
|
|
||||||
inputPara["Line1_YRect"] = hTupleArray1Y;
|
|
||||||
|
|
||||||
inputPara["Line2_XRect"] = hTupleArray2X;
|
|
||||||
inputPara["Line2_YRect"] = hTupleArray2Y;
|
|
||||||
|
|
||||||
List<string> outputKeys = new List<string>()
|
|
||||||
{
|
|
||||||
"OUTPUT_Flag",
|
|
||||||
"Distance",
|
|
||||||
"Line1_RowBegin",
|
|
||||||
"Line1_ColBegin",
|
|
||||||
"Line1_RowEnd",
|
|
||||||
"Line1_ColEnd",
|
|
||||||
"Line2_RowBegin",
|
|
||||||
"Line2_ColBegin",
|
|
||||||
"Line2_RowEnd",
|
|
||||||
"Line2_ColEnd"
|
|
||||||
|
|
||||||
};
|
|
||||||
|
|
||||||
ExecuteHScript(
|
|
||||||
inputImg,
|
|
||||||
inputPara,
|
|
||||||
outputKeys);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private void btnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OpenImageFile(bitmap =>
|
|
||||||
{
|
|
||||||
this.canvas.LoadPixmap(bitmap);
|
|
||||||
this.canvas.Enabled = true;
|
|
||||||
_line1 = new FlyShape();
|
|
||||||
_line2 = new FlyShape();
|
|
||||||
_line1.AddPoint(new Point(10, 10));
|
|
||||||
_line1.AddPoint(new Point(50, 10));
|
|
||||||
_line2.AddPoint(new Point(10, 20));
|
|
||||||
_line2.AddPoint(new Point(60, 20));
|
|
||||||
_line1.ShapeType = ShapeTypeEnum.Line;
|
|
||||||
_line2.ShapeType = ShapeTypeEnum.Line;
|
|
||||||
|
|
||||||
_line1.IsDrawLineVirtualRect = true;
|
|
||||||
_line1.LineVirtualRectWidth = 40;
|
|
||||||
_line2.IsDrawLineVirtualRect = true;
|
|
||||||
_line2.LineVirtualRectWidth = 40;
|
|
||||||
|
|
||||||
canvas.Shapes.Add(_line1);
|
|
||||||
canvas.Shapes.Add(_line2);
|
|
||||||
canvas.Invalidate();
|
|
||||||
|
|
||||||
UpdateShape(_line1);
|
|
||||||
UpdateShape(_line2);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
string strarray1X = string.Empty;
|
|
||||||
string strarray1Y = string.Empty;
|
|
||||||
string strarray2X = string.Empty;
|
|
||||||
string strarray2Y = string.Empty;
|
|
||||||
List<double> flag =new List<double>();
|
|
||||||
List<double> Distance = new List<double>();
|
|
||||||
List<double> Line1_RowBegin = new List<double>();
|
|
||||||
List<double> Line1_ColBegin = new List<double>();
|
|
||||||
List<double> Line1_RowEnd = new List<double>();
|
|
||||||
List<double> Line1_ColEnd = new List<double>();
|
|
||||||
List<double> Line2_RowBegin = new List<double>();
|
|
||||||
List<double> Line2_ColBegin = new List<double>();
|
|
||||||
List<double> Line2_RowEnd = new List<double>();
|
|
||||||
List<double> Line2_ColEnd = new List<double>();
|
|
||||||
protected override void OnExecuteHScriptResult(
|
|
||||||
bool success,
|
|
||||||
Dictionary<string, HTuple> resultDic,
|
|
||||||
int timeElasped)
|
|
||||||
{
|
|
||||||
if (!success)
|
|
||||||
{
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
//"OUTPUT_Flag",
|
|
||||||
// "Distance",
|
|
||||||
// "Line1_RowBegin",
|
|
||||||
// "Line1_ColBegin",
|
|
||||||
// "Line1_RowEnd",
|
|
||||||
// "Line1_ColEnd",
|
|
||||||
// "Line2_RowBegin",
|
|
||||||
// "Line2_ColBegin",
|
|
||||||
// "Line2_RowEnd",
|
|
||||||
// "Line2_ColEnd"
|
|
||||||
|
|
||||||
|
|
||||||
flag = resultDic["OUTPUT_Flag"].HTupleToDouble();
|
|
||||||
Distance = resultDic["Distance"].HTupleToDouble();
|
|
||||||
Line1_RowBegin = resultDic["Line1_RowBegin"].HTupleToDouble();
|
|
||||||
Line1_ColBegin = resultDic["Line1_ColBegin"].HTupleToDouble();
|
|
||||||
Line1_RowEnd = resultDic["Line1_RowEnd"].HTupleToDouble();
|
|
||||||
Line1_ColEnd = resultDic["Line1_ColEnd"].HTupleToDouble();
|
|
||||||
Line2_RowBegin = resultDic["Line2_RowBegin"].HTupleToDouble();
|
|
||||||
Line2_ColBegin = resultDic["Line2_ColBegin"].HTupleToDouble();
|
|
||||||
Line2_RowEnd = resultDic["Line2_RowEnd"].HTupleToDouble();
|
|
||||||
Line2_ColEnd = resultDic["Line2_ColEnd"].HTupleToDouble();
|
|
||||||
|
|
||||||
if (flag.Count > 0)
|
|
||||||
{
|
|
||||||
lblResult.Text = flag[0].ToString();
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblResult.Text = "无";
|
|
||||||
}
|
|
||||||
if (Distance.Count > 0)
|
|
||||||
{
|
|
||||||
lblDistance.Text = Distance[0].ToString();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblDistance.Text = "0";
|
|
||||||
}
|
|
||||||
|
|
||||||
if (flag.Count > 0 && Distance.Count > 0 && Line1_RowBegin.Count > 0 && Line1_ColBegin.Count > 0 && Line1_RowEnd.Count > 0 && Line1_ColEnd.Count > 0 && Line2_RowBegin.Count > 0 && Line2_ColBegin.Count > 0 && Line2_RowEnd.Count > 0 && Line2_ColEnd.Count > 0)
|
|
||||||
{
|
|
||||||
float width = 0;
|
|
||||||
this.canvas.DrawLine(new PointF((float)Line1_ColBegin[0], (float)Line1_RowBegin[0]), new PointF((float)Line1_ColEnd[0], (float)Line1_RowEnd[0]), width);
|
|
||||||
this.canvas.DrawLine(new PointF((float)Line2_ColBegin[0], (float)Line2_RowBegin[0]), new PointF((float)Line2_ColEnd[0], (float)Line2_RowEnd[0]), width);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
lblElapsed.Text = $"{timeElasped} ms";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void NumRectWidth1_ValueChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (_line1 != null)
|
|
||||||
{
|
|
||||||
//_line1.IsDrawLineVirtualRect = true;
|
|
||||||
_line1.LineVirtualRectWidth = (float)NumRectWidth1.Value;
|
|
||||||
UpdateShape(_line1);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void NumericUpDown2_ValueChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (_line2 != null)
|
|
||||||
{
|
|
||||||
// _line2.IsDrawLineVirtualRect = true;
|
|
||||||
_line2.LineVirtualRectWidth = (float)NumRectWidth2.Value;
|
|
||||||
UpdateShape(_line2);
|
|
||||||
this.canvas.Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnSave_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (lblResult.Text.Equals("无"))
|
|
||||||
{
|
|
||||||
MessageBox.Show("请先进行绘制");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (lblResult.Text != "0")
|
|
||||||
{
|
|
||||||
MessageBox.Show("测量计算错误,无法保存");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
//inputPara["Line1_LX"] = _line1X1;
|
|
||||||
//inputPara["Line1_LY"] = _line1Y1;
|
|
||||||
//inputPara["Line1_RX"] = _line1X2;
|
|
||||||
//inputPara["Line1_RY"] = _line1Y2;
|
|
||||||
|
|
||||||
//inputPara["Line2_LX"] = _line2X1;
|
|
||||||
//inputPara["Line2_LY"] = _line2Y1;
|
|
||||||
//inputPara["Line2_RX"] = _line2X2;
|
|
||||||
//inputPara["Line2_RY"] = _line2Y2;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
//inputPara["Line1_XRect"] = hTupleArray1X;
|
|
||||||
//inputPara["Line1_YRect"] = hTupleArray1Y;
|
|
||||||
|
|
||||||
//inputPara["Line2_XRect"] = hTupleArray2X;
|
|
||||||
//inputPara["Line2_YRect"] = hTupleArray2Y;
|
|
||||||
|
|
||||||
|
|
||||||
string input = $"Line1_LX:{_line1X1};" +
|
|
||||||
$"Line1_LY:{_line1Y1};" +
|
|
||||||
$"Line1_RX:{_line1X2};" +
|
|
||||||
$"Line1_RY:{_line1Y2};" +
|
|
||||||
$"Line2_LX:{_line2X1};" +
|
|
||||||
$"Line2_LY:{_line2Y1};" +
|
|
||||||
$"Line2_RX:{_line2X2};" +
|
|
||||||
$"Line2_RY:{_line2Y2};" +
|
|
||||||
$"Line1_XRect:{strarray1X};" +
|
|
||||||
$"Line1_YRect:{strarray1Y};" +
|
|
||||||
$"Line2_XRect:{strarray2X};" +
|
|
||||||
$"Line2_YRect:{strarray2Y}"
|
|
||||||
;
|
|
||||||
|
|
||||||
|
|
||||||
string result = $"Distance:{Distance[0]}";
|
|
||||||
|
|
||||||
|
|
||||||
DataToTriggerEvent(input, result);
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,145 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<data name="canvas.OutsideShapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<data name="canvas.Shapes" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>
|
|
||||||
AAEAAAD/////AQAAAAAAAAAMAgAAAERDYW5GbHkuQ2FudmFzLCBWZXJzaW9uPTEuMC4wLjAsIEN1bHR1
|
|
||||||
cmU9bmV1dHJhbCwgUHVibGljS2V5VG9rZW49bnVsbAQBAAAAdlN5c3RlbS5Db2xsZWN0aW9ucy5HZW5l
|
|
||||||
cmljLkxpc3RgMVtbQ2FuRmx5LkNhbnZhcy5TaGFwZS5GbHlTaGFwZSwgQ2FuRmx5LkNhbnZhcywgQ3Vs
|
|
||||||
dHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsXV0DAAAABl9pdGVtcwVfc2l6ZQhfdmVyc2lv
|
|
||||||
bgQAAB5DYW5GbHkuQ2FudmFzLlNoYXBlLkZseVNoYXBlW10CAAAACAgJAwAAAAAAAAAAAAAADAQAAAAz
|
|
||||||
Q2FuRmx5LkNhbnZhcywgQ3VsdHVyZT1uZXV0cmFsLCBQdWJsaWNLZXlUb2tlbj1udWxsBwMAAAAAAQAA
|
|
||||||
AAAAAAAEHENhbkZseS5DYW52YXMuU2hhcGUuRmx5U2hhcGUEAAAACw==
|
|
||||||
</value>
|
|
||||||
</data>
|
|
||||||
<metadata name="statusStrip1.TrayLocation" type="System.Drawing.Point, System.Drawing, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a">
|
|
||||||
<value>17, 17</value>
|
|
||||||
</metadata>
|
|
||||||
</root>
|
|
@ -1,41 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace CanFly.Util
|
|
||||||
{
|
|
||||||
public static class FormUtils
|
|
||||||
{
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 显示窗体
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="panel"></param>
|
|
||||||
/// <param name="frm"></param>
|
|
||||||
public static void ShowForm(this Panel panel, Form frm)
|
|
||||||
{
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
frm.TopLevel = false;
|
|
||||||
panel.Controls.Clear();
|
|
||||||
panel.Controls.Add(frm);
|
|
||||||
frm.Show();
|
|
||||||
frm.Dock = DockStyle.Fill;
|
|
||||||
panel.Refresh();
|
|
||||||
foreach (Control item in frm.Controls)
|
|
||||||
{
|
|
||||||
item.Focus();
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
throw ex;
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,61 +0,0 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk">
|
|
||||||
|
|
||||||
<PropertyGroup>
|
|
||||||
<TargetFramework>net8.0-windows</TargetFramework>
|
|
||||||
<ImplicitUsings>enable</ImplicitUsings>
|
|
||||||
<Nullable>enable</Nullable>
|
|
||||||
<BaseOutputPath>..\</BaseOutputPath>
|
|
||||||
<AppendTargetFrameworkToOutputPath>output</AppendTargetFrameworkToOutputPath>
|
|
||||||
<UseWindowsForms>true</UseWindowsForms>
|
|
||||||
<AllowUnsafeBlocks>true</AllowUnsafeBlocks>
|
|
||||||
<Platforms>AnyCPU;x64</Platforms>
|
|
||||||
</PropertyGroup>
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\CanFly.Canvas\CanFly.Canvas.csproj" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<Folder Include="Halcon\" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<PackageReference Include="OpenCvSharp4" Version="4.10.0.20241108" />
|
|
||||||
<PackageReference Include="OpenCvSharp4.Extensions" Version="4.10.0.20241108" />
|
|
||||||
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<Reference Include="halcondotnet">
|
|
||||||
<HintPath>..\x64\Debug\halcondotnet.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
<Reference Include="hdevenginedotnet">
|
|
||||||
<HintPath>..\x64\Debug\hdevenginedotnet.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<Compile Update="Properties\Resources.Designer.cs">
|
|
||||||
<DesignTime>True</DesignTime>
|
|
||||||
<AutoGen>True</AutoGen>
|
|
||||||
<DependentUpon>Resources.resx</DependentUpon>
|
|
||||||
</Compile>
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<EmbeddedResource Update="Properties\Resources.resx">
|
|
||||||
<Generator>ResXFileCodeGenerator</Generator>
|
|
||||||
<LastGenOutput>Resources.Designer.cs</LastGenOutput>
|
|
||||||
</EmbeddedResource>
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
</Project>
|
|
130
DH.Commons.Devies/Base/CameraBase.cs
Normal file
130
DH.Commons.Devies/Base/CameraBase.cs
Normal file
@ -0,0 +1,130 @@
|
|||||||
|
using System.ComponentModel;
|
||||||
|
using System.Drawing.Imaging;
|
||||||
|
using OpenCvSharp;
|
||||||
|
|
||||||
|
namespace DH.Devices.Devices
|
||||||
|
{
|
||||||
|
public class CameraBase
|
||||||
|
{
|
||||||
|
public volatile int SnapshotCount = 0;
|
||||||
|
|
||||||
|
public virtual bool isEnabled { get; set; } = false;
|
||||||
|
|
||||||
|
[Category("采图模式")]
|
||||||
|
[Description("是否连续模式。true:连续模式采图;false:触发模式采图")]
|
||||||
|
[DisplayName("连续模式")]
|
||||||
|
public bool IsContinueMode { get; set; } = false;
|
||||||
|
|
||||||
|
|
||||||
|
public virtual bool isSavePicEnabled { get; set; } = false;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
[Category("图片保存")]
|
||||||
|
[Description("图片保存文件夹")]
|
||||||
|
[DisplayName("图片保存文件夹")]
|
||||||
|
public virtual string ImageSaveDirectory { get; set; }
|
||||||
|
|
||||||
|
[Category("图片保存")]
|
||||||
|
[Description("图片保存格式")]
|
||||||
|
[DisplayName("图片保存格式")]
|
||||||
|
public ImageFormat ImageFormat { get; set; } = ImageFormat.Jpeg;
|
||||||
|
|
||||||
|
[Category("采图模式")]
|
||||||
|
[Description("是否硬触发模式。true:硬触发;false:软触发")]
|
||||||
|
[DisplayName("硬触发")]
|
||||||
|
public bool IsHardwareTrigger { get; set; } = false;
|
||||||
|
|
||||||
|
public string SerialNumber { get; set; } = string.Empty;
|
||||||
|
public string CameraName { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
public string CameraIP { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
public string ComputerIP { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
// public StreamFormat dvpStreamFormat = dvpStreamFormat.;
|
||||||
|
|
||||||
|
[Category("采图模式")]
|
||||||
|
[Description("是否传感器直接硬触发。true:传感器硬触发,不通过软件触发;false:通过软件触发IO 的硬触发模式")]
|
||||||
|
[DisplayName("是否传感器直接硬触发")]
|
||||||
|
public bool IsDirectHardwareTrigger { get; set; } = false;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 增益
|
||||||
|
/// </summary>
|
||||||
|
[Category("相机设置")]
|
||||||
|
[DisplayName("增益")]
|
||||||
|
[Description("Gain:增益,-1:不设置,不同型号相机的增益,请参考mvs")]
|
||||||
|
public float Gain { get; set; } = -1;
|
||||||
|
|
||||||
|
[Category("图像旋转")]
|
||||||
|
[Description("默认旋转,相机开启后默认不旋转")]
|
||||||
|
[DisplayName("默认旋转")]
|
||||||
|
public virtual float RotateImage { get; set; } = 0;
|
||||||
|
|
||||||
|
[Category("取像配置")]
|
||||||
|
[Description("曝光")]
|
||||||
|
[DisplayName("曝光")]
|
||||||
|
public virtual float Exposure { get; set; } = 200;
|
||||||
|
|
||||||
|
[Category("相机设置")]
|
||||||
|
[DisplayName("硬触发后的延迟")]
|
||||||
|
[Description("TriggerDelay:硬触发后的延迟,单位:us 微秒")]
|
||||||
|
public float TriggerDelay { get; set; } = 0;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 滤波时间
|
||||||
|
/// </summary>
|
||||||
|
[Category("相机设置")]
|
||||||
|
[DisplayName("滤波时间")]
|
||||||
|
[Description("LineDebouncerTime:I/O去抖时间 单位:us")]
|
||||||
|
public int LineDebouncerTime { get; set; } = 0;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
public Action<DateTime, CameraBase, Mat> OnHImageOutput { get; set; }
|
||||||
|
/// <summary>
|
||||||
|
/// 相机连接
|
||||||
|
/// </summary>
|
||||||
|
/// <returns>是否成功</returns>
|
||||||
|
public virtual bool CameraConnect() { return false; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 相机断开
|
||||||
|
/// </summary>
|
||||||
|
/// <returns>是否成功</returns>
|
||||||
|
public virtual bool CameraDisConnect() { return false; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 抓取一张图像
|
||||||
|
/// </summary>
|
||||||
|
/// <returns>图像</returns>
|
||||||
|
//internal virtual HObject GrabOneImage(string cameraName) { return null; }
|
||||||
|
/// <summary>
|
||||||
|
/// 设置曝光时间
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="exposureTime">曝光时间</param>
|
||||||
|
public virtual void SetExposure(int exposureTime, string cameraName) { }
|
||||||
|
/// <summary>
|
||||||
|
/// 设置增益
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="exposure">增益</param>
|
||||||
|
public virtual void SetGain(int gain, string cameraName) { }
|
||||||
|
/// <summary>
|
||||||
|
/// 设置采集模式
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="mode">0=连续采集,即异步采集 1=单次采集,即同步采集</param>
|
||||||
|
internal virtual void SetAcquisitionMode(int mode) { }
|
||||||
|
/// <summary>
|
||||||
|
/// 设置采集图像的ROI
|
||||||
|
/// </summary>
|
||||||
|
internal virtual void SetAcqRegion(int offsetV, int offsetH, int imageH, int imageW, string cameraName) { }
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
}
|
||||||
|
}
|
@ -1,14 +1,11 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk.WindowsDesktop">
|
<Project Sdk="Microsoft.NET.Sdk">
|
||||||
|
|
||||||
<PropertyGroup>
|
<PropertyGroup>
|
||||||
<TargetFramework>net8.0-windows</TargetFramework>
|
<TargetFramework>net8.0</TargetFramework>
|
||||||
<ImplicitUsings>enable</ImplicitUsings>
|
<ImplicitUsings>enable</ImplicitUsings>
|
||||||
<Nullable>enable</Nullable>
|
<Nullable>enable</Nullable>
|
||||||
<BaseOutputPath>..\</BaseOutputPath>
|
<Platforms>AnyCPU;X64</Platforms>
|
||||||
<AppendTargetFrameworkToOutputPath>output</AppendTargetFrameworkToOutputPath>
|
<AllowUnsafeBlocks>True</AllowUnsafeBlocks>
|
||||||
<UseWindowsForms>true</UseWindowsForms>
|
|
||||||
<AllowUnsafeBlocks>true</AllowUnsafeBlocks>
|
|
||||||
<Platforms>AnyCPU;x64</Platforms>
|
|
||||||
</PropertyGroup>
|
</PropertyGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
@ -17,15 +14,9 @@
|
|||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<PackageReference Include="AntdUI" Version="1.8.9" />
|
|
||||||
<PackageReference Include="OpenCvSharp4" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4" Version="4.10.0.20241108" />
|
||||||
<PackageReference Include="OpenCvSharp4.Extensions" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4.Extensions" Version="4.10.0.20241108" />
|
||||||
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
||||||
<PackageReference Include="System.IO.Ports" Version="9.0.3" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
|
@ -1,325 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Drawing.Imaging;
|
|
||||||
using AntdUI;
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
using OpenCvSharp;
|
|
||||||
|
|
||||||
namespace DH.Commons.Base
|
|
||||||
{
|
|
||||||
public class CameraBase : NotifyProperty
|
|
||||||
{
|
|
||||||
// 私有字段 + 带通知的属性(与DetectionLabel风格一致)
|
|
||||||
private bool _isEnabled = false;
|
|
||||||
private bool _isallPicEnabled = true;//默认全画幅
|
|
||||||
private bool _isContinueMode = false;
|
|
||||||
private bool _isSavePicEnabled = false;
|
|
||||||
private string _imageSaveDirectory;
|
|
||||||
private EnumCamType _CamType;
|
|
||||||
private ImageFormat _imageFormat = ImageFormat.Jpeg;
|
|
||||||
private bool _isHardwareTrigger = true;
|
|
||||||
private string _serialNumber = string.Empty;
|
|
||||||
private string _cameraName = string.Empty;
|
|
||||||
private string _cameraIP = string.Empty;
|
|
||||||
private string _computerIP = string.Empty;
|
|
||||||
private bool _isDirectHardwareTrigger = false;
|
|
||||||
private float _gain =6;
|
|
||||||
private float _rotateImage = 0;
|
|
||||||
private float _exposure = 200;
|
|
||||||
private float _triggerDelay = 0;
|
|
||||||
private decimal _roiX = 0;
|
|
||||||
private decimal _roiY = 0;
|
|
||||||
private decimal _roiW = 2448;
|
|
||||||
private decimal _roiH = 2048;
|
|
||||||
private int _lineDebouncerTime = 0;
|
|
||||||
|
|
||||||
public volatile int SnapshotCount = 0;
|
|
||||||
|
|
||||||
[Category("采图模式")]
|
|
||||||
[DisplayName("连续模式")]
|
|
||||||
[Description("是否连续模式。true:连续模式采图;false:触发模式采图")]
|
|
||||||
public bool IsContinueMode
|
|
||||||
{
|
|
||||||
get => _isContinueMode;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isContinueMode == value) return;
|
|
||||||
_isContinueMode = value;
|
|
||||||
OnPropertyChanged(nameof(IsContinueMode));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsEnabled
|
|
||||||
{
|
|
||||||
get => _isEnabled;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isEnabled == value) return;
|
|
||||||
_isEnabled = value;
|
|
||||||
OnPropertyChanged(nameof(IsEnabled));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public virtual bool IsAllPicEnabled
|
|
||||||
{
|
|
||||||
get => _isallPicEnabled;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isallPicEnabled == value) return;
|
|
||||||
_isallPicEnabled = value;
|
|
||||||
OnPropertyChanged(nameof(IsAllPicEnabled));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public virtual bool IsSavePicEnabled
|
|
||||||
{
|
|
||||||
get => _isSavePicEnabled;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isSavePicEnabled == value) return;
|
|
||||||
_isSavePicEnabled = value;
|
|
||||||
OnPropertyChanged(nameof(IsSavePicEnabled));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("图片保存")]
|
|
||||||
[DisplayName("图片保存文件夹")]
|
|
||||||
[Description("图片保存文件夹")]
|
|
||||||
public virtual string ImageSaveDirectory
|
|
||||||
{
|
|
||||||
get => _imageSaveDirectory;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_imageSaveDirectory == value) return;
|
|
||||||
_imageSaveDirectory = value;
|
|
||||||
OnPropertyChanged(nameof(ImageSaveDirectory));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("图片保存")]
|
|
||||||
[DisplayName("图片保存格式")]
|
|
||||||
[Description("图片保存格式")]
|
|
||||||
public ImageFormat ImageFormat
|
|
||||||
{
|
|
||||||
get => _imageFormat;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_imageFormat == value) return;
|
|
||||||
_imageFormat = value;
|
|
||||||
OnPropertyChanged(nameof(ImageFormat));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
[Category("设备配置")]
|
|
||||||
[DisplayName("相机类型")]
|
|
||||||
[Description("相机类型")]
|
|
||||||
public EnumCamType CamType
|
|
||||||
{
|
|
||||||
get => _CamType;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_CamType == value) return;
|
|
||||||
_CamType = value;
|
|
||||||
OnPropertyChanged(nameof(CamType));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("采图模式")]
|
|
||||||
[DisplayName("硬触发")]
|
|
||||||
[Description("是否硬触发模式。true:硬触发;false:软触发")]
|
|
||||||
public bool IsHardwareTrigger
|
|
||||||
{
|
|
||||||
get => _isHardwareTrigger;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isHardwareTrigger == value) return;
|
|
||||||
_isHardwareTrigger = value;
|
|
||||||
OnPropertyChanged(nameof(IsHardwareTrigger));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string SerialNumber
|
|
||||||
{
|
|
||||||
get => _serialNumber;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_serialNumber == value) return;
|
|
||||||
_serialNumber = value;
|
|
||||||
OnPropertyChanged(nameof(SerialNumber));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string CameraName
|
|
||||||
{
|
|
||||||
get => _cameraName;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_cameraName == value) return;
|
|
||||||
_cameraName = value;
|
|
||||||
OnPropertyChanged(nameof(CameraName));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string CameraIP
|
|
||||||
{
|
|
||||||
get => _cameraIP;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_cameraIP == value) return;
|
|
||||||
_cameraIP = value;
|
|
||||||
OnPropertyChanged(nameof(CameraIP));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string ComputerIP
|
|
||||||
{
|
|
||||||
get => _computerIP;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_computerIP == value) return;
|
|
||||||
_computerIP = value;
|
|
||||||
OnPropertyChanged(nameof(ComputerIP));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("采图模式")]
|
|
||||||
[DisplayName("是否传感器直接硬触发")]
|
|
||||||
[Description("是否传感器直接硬触发。true:传感器硬触发,不通过软件触发;false:通过软件触发IO 的硬触发模式")]
|
|
||||||
public bool IsDirectHardwareTrigger
|
|
||||||
{
|
|
||||||
get => _isDirectHardwareTrigger;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isDirectHardwareTrigger == value) return;
|
|
||||||
_isDirectHardwareTrigger = value;
|
|
||||||
OnPropertyChanged(nameof(IsDirectHardwareTrigger));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("相机设置")]
|
|
||||||
[DisplayName("增益")]
|
|
||||||
[Description("Gain:增益,-1:不设置,不同型号相机的增益,请参考mvs")]
|
|
||||||
public float Gain
|
|
||||||
{
|
|
||||||
get => _gain;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_gain.Equals(value)) return;
|
|
||||||
_gain = value;
|
|
||||||
OnPropertyChanged(nameof(Gain));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("图像旋转")]
|
|
||||||
[DisplayName("默认旋转")]
|
|
||||||
[Description("默认旋转,相机开启后默认不旋转")]
|
|
||||||
public virtual float RotateImage
|
|
||||||
{
|
|
||||||
get => _rotateImage;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_rotateImage.Equals(value)) return;
|
|
||||||
_rotateImage = value;
|
|
||||||
OnPropertyChanged(nameof(RotateImage));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("取像配置")]
|
|
||||||
[DisplayName("曝光")]
|
|
||||||
[Description("曝光")]
|
|
||||||
public virtual float Exposure
|
|
||||||
{
|
|
||||||
get => _exposure;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_exposure.Equals(value)) return;
|
|
||||||
_exposure = value;
|
|
||||||
OnPropertyChanged(nameof(Exposure));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("相机设置")]
|
|
||||||
[DisplayName("硬触发后的延迟")]
|
|
||||||
[Description("TriggerDelay:硬触发后的延迟,单位:us 微秒")]
|
|
||||||
public float TriggerDelay
|
|
||||||
{
|
|
||||||
get => _triggerDelay;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_triggerDelay.Equals(value)) return;
|
|
||||||
_triggerDelay = value;
|
|
||||||
OnPropertyChanged(nameof(TriggerDelay));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public decimal ROIX
|
|
||||||
{
|
|
||||||
get => _roiX;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_roiX == value) return;
|
|
||||||
_roiX = value;
|
|
||||||
OnPropertyChanged(nameof(ROIX));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public decimal ROIY
|
|
||||||
{
|
|
||||||
get => _roiY;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_roiY == value) return;
|
|
||||||
_roiY = value;
|
|
||||||
OnPropertyChanged(nameof(ROIY));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public decimal ROIW
|
|
||||||
{
|
|
||||||
get => _roiW;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_roiW == value) return;
|
|
||||||
_roiW = value;
|
|
||||||
OnPropertyChanged(nameof(ROIW));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public decimal ROIH
|
|
||||||
{
|
|
||||||
get => _roiH;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_roiH == value) return;
|
|
||||||
_roiH = value;
|
|
||||||
OnPropertyChanged(nameof(ROIH));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("相机设置")]
|
|
||||||
[DisplayName("滤波时间")]
|
|
||||||
[Description("LineDebouncerTime:I/O去抖时间 单位:us")]
|
|
||||||
public int LineDebouncerTime
|
|
||||||
{
|
|
||||||
get => _lineDebouncerTime;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_lineDebouncerTime == value) return;
|
|
||||||
_lineDebouncerTime = value;
|
|
||||||
OnPropertyChanged(nameof(LineDebouncerTime));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 其他方法保持原有逻辑
|
|
||||||
public Action<DateTime, CameraBase, Mat> OnHImageOutput { get; set; }
|
|
||||||
|
|
||||||
public virtual bool CameraConnect() { return false; }
|
|
||||||
|
|
||||||
public virtual bool CameraDisConnect() { return false; }
|
|
||||||
|
|
||||||
public virtual void SetExposure(int exposureTime, string cameraName) { }
|
|
||||||
|
|
||||||
public virtual void SetGain(int gain, string cameraName) { }
|
|
||||||
|
|
||||||
internal virtual void SetAcquisitionMode(int mode) { }
|
|
||||||
|
|
||||||
internal virtual void SetAcqRegion(int offsetV, int offsetH, int imageH, int imageW, string cameraName) { }
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,12 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace DH.Commons.Base
|
|
||||||
{
|
|
||||||
internal class GloablConfig
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,408 +0,0 @@
|
|||||||
using System.ComponentModel;
|
|
||||||
using System.IO.Ports;
|
|
||||||
using System.Text.Json.Serialization;
|
|
||||||
using AntdUI;
|
|
||||||
using DH.Commons.Enums; // 请确保此命名空间包含EnumPLCType
|
|
||||||
|
|
||||||
namespace DH.Commons.Base
|
|
||||||
{
|
|
||||||
public class PLCBase : NotifyProperty
|
|
||||||
{
|
|
||||||
// 私有字段
|
|
||||||
private bool _enable;
|
|
||||||
private bool _connected;
|
|
||||||
private string _plcName;
|
|
||||||
private EnumPLCType _plcType;
|
|
||||||
private string _com = "COM1";
|
|
||||||
private int _baudRate = 9600;
|
|
||||||
private int _dataBit = 8;
|
|
||||||
private StopBits _stopBit = StopBits.One;
|
|
||||||
private Parity _parity = Parity.None;
|
|
||||||
private string _ip = "192.168.6.61";
|
|
||||||
private int _port = 502;
|
|
||||||
private AntList<PLCItem> _PLCItemList = new AntList<PLCItem>();
|
|
||||||
[Category("设备配置")]
|
|
||||||
[DisplayName("是否启用")]
|
|
||||||
[Description("是否启用")]
|
|
||||||
public bool Enable
|
|
||||||
{
|
|
||||||
get => _enable;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_enable == value) return;
|
|
||||||
_enable = value;
|
|
||||||
OnPropertyChanged(nameof(Enable));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
[Category("状态监控")]
|
|
||||||
[DisplayName("连接状态")]
|
|
||||||
[Description("PLC连接状态")]
|
|
||||||
public bool Connected
|
|
||||||
{
|
|
||||||
get => _connected;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_connected == value) return;
|
|
||||||
_connected = value;
|
|
||||||
OnPropertyChanged(nameof(Connected));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("设备配置")]
|
|
||||||
[DisplayName("PLC名称")]
|
|
||||||
[Description("PLC设备名称")]
|
|
||||||
public string PLCName
|
|
||||||
{
|
|
||||||
get => _plcName;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_plcName == value) return;
|
|
||||||
_plcName = value;
|
|
||||||
OnPropertyChanged(nameof(PLCName));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("设备配置")]
|
|
||||||
[DisplayName("PLC类型")]
|
|
||||||
[Description("PLC通信协议类型")]
|
|
||||||
public EnumPLCType PLCType
|
|
||||||
{
|
|
||||||
get => _plcType;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_plcType == value) return;
|
|
||||||
_plcType = value;
|
|
||||||
OnPropertyChanged(nameof(PLCType));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("串口配置")]
|
|
||||||
[DisplayName("COM端口")]
|
|
||||||
[Description("串口号,如COM1")]
|
|
||||||
public string COM
|
|
||||||
{
|
|
||||||
get => _com;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_com == value) return;
|
|
||||||
_com = value;
|
|
||||||
OnPropertyChanged(nameof(COM));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("串口配置")]
|
|
||||||
[DisplayName("波特率")]
|
|
||||||
[Description("串口通信波特率")]
|
|
||||||
public int BaudRate
|
|
||||||
{
|
|
||||||
get => _baudRate;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_baudRate == value) return;
|
|
||||||
_baudRate = value;
|
|
||||||
OnPropertyChanged(nameof(BaudRate));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("串口配置")]
|
|
||||||
[DisplayName("数据位")]
|
|
||||||
[Description("数据位长度(5/6/7/8)")]
|
|
||||||
public int DataBit
|
|
||||||
{
|
|
||||||
get => _dataBit;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_dataBit == value) return;
|
|
||||||
_dataBit = value;
|
|
||||||
OnPropertyChanged(nameof(DataBit));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("串口配置")]
|
|
||||||
[DisplayName("停止位")]
|
|
||||||
[Description("停止位设置")]
|
|
||||||
public StopBits StopBit
|
|
||||||
{
|
|
||||||
get => _stopBit;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_stopBit == value) return;
|
|
||||||
_stopBit = value;
|
|
||||||
OnPropertyChanged(nameof(StopBit));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("串口配置")]
|
|
||||||
[DisplayName("校验位")]
|
|
||||||
[Description("奇偶校验方式")]
|
|
||||||
public Parity Parity
|
|
||||||
{
|
|
||||||
get => _parity;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_parity == value) return;
|
|
||||||
_parity = value;
|
|
||||||
OnPropertyChanged(nameof(Parity));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("网络配置")]
|
|
||||||
[DisplayName("IP地址")]
|
|
||||||
[Description("PLC网络地址")]
|
|
||||||
public string IP
|
|
||||||
{
|
|
||||||
get => _ip;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_ip == value) return;
|
|
||||||
_ip = value;
|
|
||||||
OnPropertyChanged(nameof(IP));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("网络配置")]
|
|
||||||
[DisplayName("端口号")]
|
|
||||||
[Description("网络通信端口")]
|
|
||||||
public int Port
|
|
||||||
{
|
|
||||||
get => _port;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_port == value) return;
|
|
||||||
_port = value;
|
|
||||||
OnPropertyChanged(nameof(Port));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("点位配置")]
|
|
||||||
[DisplayName("点位配置")]
|
|
||||||
[Description("点位配置")]
|
|
||||||
public AntList<PLCItem> PLCItemList
|
|
||||||
{
|
|
||||||
get => _PLCItemList;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_PLCItemList == value) return;
|
|
||||||
_PLCItemList = value;
|
|
||||||
OnPropertyChanged(nameof(PLCItemList));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public virtual bool PLCConnect()
|
|
||||||
{
|
|
||||||
Connected = true;
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool PLCDisConnect()
|
|
||||||
{
|
|
||||||
Connected = false;
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public virtual ushort ReadShort(string address) { return 0; }
|
|
||||||
public virtual int ReadInt(string address) { return 0; }
|
|
||||||
public virtual float ReadFloat(string address) { return 0; }
|
|
||||||
public virtual bool ReadBool(string address) { return false; }
|
|
||||||
public virtual bool WriteShort(string address, short value, bool waitForReply = true) { return false; }
|
|
||||||
public virtual bool WriteInt(string address, int value, bool waitForReply = true) { return false; }
|
|
||||||
public virtual bool WriteDInt(string address, int value, bool waitForReply = true) { return false; }
|
|
||||||
public virtual bool WriteFloat(string address, float value, bool waitForReply = true) { return false; }
|
|
||||||
public virtual bool WriteBool(string address, bool value, bool waitForReply = true) { return false; }
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public class PLCItem : NotifyProperty
|
|
||||||
{
|
|
||||||
private bool _selected;
|
|
||||||
private string _name = string.Empty;
|
|
||||||
private string _type = string.Empty;
|
|
||||||
private string _value = string.Empty;
|
|
||||||
private bool _startexecute;
|
|
||||||
private bool _endexecute;
|
|
||||||
private int _startindex;
|
|
||||||
private int _endindex;
|
|
||||||
private string _numtype;
|
|
||||||
private string _address;
|
|
||||||
/// <summary>
|
|
||||||
/// 是否选中
|
|
||||||
/// </summary>
|
|
||||||
public bool Selected
|
|
||||||
{
|
|
||||||
get => _selected;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_selected != value)
|
|
||||||
{
|
|
||||||
_selected = value;
|
|
||||||
OnPropertyChanged(nameof(Selected));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 参数名称
|
|
||||||
/// </summary>
|
|
||||||
public string Name
|
|
||||||
{
|
|
||||||
get => _name;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_name != value)
|
|
||||||
{
|
|
||||||
_name = value;
|
|
||||||
OnPropertyChanged(nameof(Name));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public string Type
|
|
||||||
{
|
|
||||||
get => _type;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_type != value)
|
|
||||||
{
|
|
||||||
_type = value;
|
|
||||||
OnPropertyChanged(nameof(Type));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 参数类型
|
|
||||||
/// </summary>
|
|
||||||
public string Address
|
|
||||||
{
|
|
||||||
get => _address;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_address != value)
|
|
||||||
{
|
|
||||||
_address = value;
|
|
||||||
OnPropertyChanged(nameof(Address));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public string NumTpye
|
|
||||||
{
|
|
||||||
get => _numtype;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_numtype != value)
|
|
||||||
{
|
|
||||||
_numtype = value;
|
|
||||||
OnPropertyChanged(nameof(NumTpye));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 参数值
|
|
||||||
/// </summary>
|
|
||||||
public string Value
|
|
||||||
{
|
|
||||||
get => _value;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_value != value)
|
|
||||||
{
|
|
||||||
_value = value;
|
|
||||||
OnPropertyChanged(nameof(Value));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 流程开启执行状态
|
|
||||||
/// </summary>
|
|
||||||
public bool StartExecute
|
|
||||||
{
|
|
||||||
get => _startexecute;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_startexecute != value)
|
|
||||||
{
|
|
||||||
_startexecute = value;
|
|
||||||
OnPropertyChanged(nameof(StartExecute));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 流程结束执行状态
|
|
||||||
/// </summary>
|
|
||||||
public bool EndExecute
|
|
||||||
{
|
|
||||||
get => _endexecute;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_endexecute != value)
|
|
||||||
{
|
|
||||||
_endexecute = value;
|
|
||||||
OnPropertyChanged(nameof(EndExecute));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 流程开启顺序
|
|
||||||
/// </summary>
|
|
||||||
public int StartIndex
|
|
||||||
{
|
|
||||||
get => _startindex;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_startindex != value)
|
|
||||||
{
|
|
||||||
_startindex = value;
|
|
||||||
OnPropertyChanged(nameof(StartIndex));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 流程结束顺序
|
|
||||||
/// </summary>
|
|
||||||
public int EndIndex
|
|
||||||
{
|
|
||||||
get => _endindex;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_endindex != value)
|
|
||||||
{
|
|
||||||
_endindex = value;
|
|
||||||
OnPropertyChanged(nameof(EndIndex));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private CellLink[] cellLinks;
|
|
||||||
[JsonIgnore]
|
|
||||||
public CellLink[] CellLinks
|
|
||||||
{
|
|
||||||
get { return cellLinks; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (cellLinks == value) return;
|
|
||||||
cellLinks = value;
|
|
||||||
OnPropertyChanged(nameof(CellLinks));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private CellTag[] cellTags;
|
|
||||||
[JsonIgnore]
|
|
||||||
public CellTag[] CellTags
|
|
||||||
{
|
|
||||||
get { return cellTags; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (cellTags == value) return;
|
|
||||||
cellTags = value;
|
|
||||||
OnPropertyChanged(nameof(CellTags));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
@ -1,186 +0,0 @@
|
|||||||
using System.Collections;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Drawing.Imaging;
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
using HalconDotNet;
|
|
||||||
using OpenCvSharp;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.Commons.Base
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 视觉处理引擎:1.传统视觉 2.深度学习
|
|
||||||
/// CV深度学习 四大领域
|
|
||||||
/// Image Classification 图像分类:判别图中物体是什么,比如是猫还是狗;
|
|
||||||
/// Semantic Segmentation 语义分割:对图像进行像素级分类,预测每个像素属于的类别,不区分个体;
|
|
||||||
/// Object Detection 目标检测:寻找图像中的物体并进行定位;
|
|
||||||
/// Instance Segmentation 实例分割:定位图中每个物体,并进行像素级标注,区分不同个体;
|
|
||||||
/// </summary>
|
|
||||||
public abstract class VisionEngineBase
|
|
||||||
{
|
|
||||||
public List<DetectionConfig> DetectionConfigs = new List<DetectionConfig>();
|
|
||||||
#region event
|
|
||||||
public event Action<string, List<double>> OnCropParamsOutput;
|
|
||||||
public event Action<string, Bitmap, List<IShapeElement>> OnDetectionDone;
|
|
||||||
public event Action<string> OnDetectionWarningStop;//有无检测 需要报警停机
|
|
||||||
#endregion
|
|
||||||
//public VisionEngineInitialConfigBase IConfig
|
|
||||||
//{
|
|
||||||
// get => InitialConfig as VisionEngineInitialConfigBase;
|
|
||||||
//}
|
|
||||||
// public ImageSaveHelper ImageSaveHelper { get; set; } = new ImageSaveHelper();
|
|
||||||
public string BatchNO { get; set; }
|
|
||||||
|
|
||||||
public HTuple hv_ModelID;
|
|
||||||
|
|
||||||
public abstract DetectStationResult RunInference(Mat originImgSet, string detectionId = null);
|
|
||||||
|
|
||||||
//public abstract void SaveDetectResultAsync(DetectStationResult detectResult);
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public virtual void DetectionDone(string detectionId, Bitmap image, List<IShapeElement> detectionResults)
|
|
||||||
{
|
|
||||||
OnDetectionDone?.Invoke(detectionId, image, detectionResults);
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void DetectionWarningStop(string detectionDes)
|
|
||||||
{
|
|
||||||
OnDetectionWarningStop?.Invoke(detectionDes);
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void SaveImageAsync(string fullname, Bitmap saveMap, ImageFormat imageFormat)
|
|
||||||
{
|
|
||||||
if (saveMap != null)
|
|
||||||
{
|
|
||||||
//ImageSaveSet imageSaveSet = new ImageSaveSet()
|
|
||||||
//{
|
|
||||||
// FullName = fullname,
|
|
||||||
// SaveImage = saveMap.CopyBitmap(),
|
|
||||||
// ImageFormat = imageFormat.DeepSerializeClone()
|
|
||||||
//};
|
|
||||||
|
|
||||||
//ImageSaveHelper.ImageSaveAsync(imageSaveSet);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public class CamModuleXY
|
|
||||||
{
|
|
||||||
[Category("图片行")]
|
|
||||||
[DisplayName("行")]
|
|
||||||
[Description("行")]
|
|
||||||
// [TypeConverter(typeof(DeviceIdSelectorConverter<CameraBase>))]
|
|
||||||
//[TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
public int PicRows { get; set; } = 1;
|
|
||||||
|
|
||||||
[Category("图片列")]
|
|
||||||
[DisplayName("列")]
|
|
||||||
[Description("列")]
|
|
||||||
// [TypeConverter(typeof(DeviceIdSelectorConverter<CameraBase>))]
|
|
||||||
//[TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
public int PicCols { get; set; } = 1;
|
|
||||||
|
|
||||||
public string GetDisplayText()
|
|
||||||
{
|
|
||||||
return "行:" + PicRows.ToString() + "列:" + PicCols.ToString();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
//public class RelatedCamera
|
|
||||||
//{
|
|
||||||
|
|
||||||
// [Category("关联相机")]
|
|
||||||
// [DisplayName("关联相机")]
|
|
||||||
// [Description("关联相机描述")]
|
|
||||||
// //[TypeConverter(typeof(DeviceIdSelectorConverter<CameraBase>))]
|
|
||||||
// //[TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
// public string CameraSourceId { get; set; } = "";
|
|
||||||
|
|
||||||
|
|
||||||
// //public string GetDisplayText()
|
|
||||||
// //{
|
|
||||||
// // using (var scope = GlobalVar.Container.BeginLifetimeScope())
|
|
||||||
// // {
|
|
||||||
// // List<IDevice> deviceList = scope.Resolve<List<IDevice>>();
|
|
||||||
// // IDevice CameraDevice = deviceList.FirstOrDefault(dev => dev.Id.Equals(CameraSourceId));
|
|
||||||
|
|
||||||
// // if (CameraDevice != null && CameraDevice is CameraBase)
|
|
||||||
// // {
|
|
||||||
// // return CameraDevice.Name;
|
|
||||||
// // }
|
|
||||||
|
|
||||||
// // }
|
|
||||||
// // return CameraSourceId;
|
|
||||||
// //}
|
|
||||||
//}
|
|
||||||
public class VisionEngineInitialConfigBase //: InitialConfigBase
|
|
||||||
{
|
|
||||||
[Category("深度学习检测配置")]
|
|
||||||
[DisplayName("检测配置集合")]
|
|
||||||
[Description("检测配置集合")]
|
|
||||||
//[TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
//[Editor(typeof(ComplexCollectionEditor<DetectionConfig>), typeof(UITypeEditor))]
|
|
||||||
public List<DetectionConfig> DetectionConfigs { get; set; } = new List<DetectionConfig>();
|
|
||||||
|
|
||||||
[Category("深度学习检测配置")]
|
|
||||||
[DisplayName("标签分类")]
|
|
||||||
[Description("标签分类,A_NG,B_TBD...")]
|
|
||||||
// [TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
// [Editor(typeof(ComplexCollectionEditor<RecongnitionLabelCategory>), typeof(UITypeEditor))]
|
|
||||||
public List<RecongnitionLabelCategory> RecongnitionLabelCategoryList { get; set; } = new List<RecongnitionLabelCategory>();
|
|
||||||
|
|
||||||
[Category("深度学习检测配置")]
|
|
||||||
[DisplayName("检测标签定义集合")]
|
|
||||||
[Description("定义检测标签的集合,例如:Seg/Detection模式:断裂、油污、划伤...;Class模式:ok、ng、上面、下面、套环、正常...")]
|
|
||||||
// [TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
// [Editor(typeof(ComplexCollectionEditor<RecongnitionLabel>), typeof(UITypeEditor))]
|
|
||||||
public List<RecongnitionLabel> RecongnitionLabelList { get; set; } = new List<RecongnitionLabel>();
|
|
||||||
|
|
||||||
[Category("深度学习检测配置")]
|
|
||||||
[DisplayName("标签置信度")]
|
|
||||||
[Description("标签置信度,过滤小于改置信度的标签,大于该设置的标签才能识别")]
|
|
||||||
public float Score { get; set; } = 0.5f;
|
|
||||||
|
|
||||||
[Category("深度学习检测配置")]
|
|
||||||
[DisplayName("CPU线程数量")]
|
|
||||||
[Description("用于深度学习的CPU线程数量,不要设置太大,会单独占用线程,影响其他程序运行")]
|
|
||||||
public int CPUNums { get; set; } = 1;
|
|
||||||
|
|
||||||
//[Category("深度学习检测配置")]
|
|
||||||
//[DisplayName("检测项GPU指定")]
|
|
||||||
//[Description("将检测项指定到GPU")]
|
|
||||||
// [TypeConverter(typeof(CollectionCountConvert))]
|
|
||||||
// [Editor(typeof(ComplexCollectionEditor<DetectionGPUConfig>), typeof(UITypeEditor))]
|
|
||||||
// public List<DetectionGPUConfig> DetectionGPUList { get; set; } = new List<DetectionGPUConfig>();
|
|
||||||
|
|
||||||
// [Category("数据保存配置")]
|
|
||||||
//[DisplayName("是否保存检测明细CSV")]
|
|
||||||
//[Description("是否保存 检测明细CSV")]
|
|
||||||
//public override bool IsEnableCSV { get; set; } = true;
|
|
||||||
|
|
||||||
//[Category("数据保存配置")]
|
|
||||||
//[DisplayName("是否保存检测图片")]
|
|
||||||
//[Description("是否保存 检测图片,总开关")]
|
|
||||||
//public bool IsSaveImage { get; set; } = true;
|
|
||||||
|
|
||||||
//[Category("数据保存配置")]
|
|
||||||
//[Description("检测图片 保存文件夹")]
|
|
||||||
//[DisplayName("检测图片保存文件夹")]
|
|
||||||
//[Editor(typeof(FoldDialogEditor), typeof(UITypeEditor))]
|
|
||||||
//public string ImageSaveDirectory { get; set; } = "D:\\PROJECTS\\X017\\Images";
|
|
||||||
|
|
||||||
//[Category("数据保存配置")]
|
|
||||||
//[Description("检测明细CSV文件夹")]
|
|
||||||
//[DisplayName("检测明细CSV文件夹")]
|
|
||||||
//[Editor(typeof(FoldDialogEditor), typeof(UITypeEditor))]
|
|
||||||
//public string CSVDataPath { get; set; } = "D:\\PROJECTS\\X017\\Images";
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
@ -1,31 +1,21 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk.WindowsDesktop">
|
<Project Sdk="Microsoft.NET.Sdk">
|
||||||
|
|
||||||
<PropertyGroup>
|
<PropertyGroup>
|
||||||
<TargetFramework>net8.0-windows</TargetFramework>
|
<TargetFramework>net8.0</TargetFramework>
|
||||||
<ImplicitUsings>enable</ImplicitUsings>
|
<ImplicitUsings>enable</ImplicitUsings>
|
||||||
<Nullable>enable</Nullable>
|
<Nullable>enable</Nullable>
|
||||||
<BaseOutputPath>..\</BaseOutputPath>
|
<Platforms>AnyCPU;X64</Platforms>
|
||||||
<AppendTargetFrameworkToOutputPath>output</AppendTargetFrameworkToOutputPath>
|
<AllowUnsafeBlocks>True</AllowUnsafeBlocks>
|
||||||
<UseWindowsForms>true</UseWindowsForms>
|
|
||||||
<AllowUnsafeBlocks>true</AllowUnsafeBlocks>
|
|
||||||
<Platforms>AnyCPU;x64</Platforms>
|
|
||||||
</PropertyGroup>
|
</PropertyGroup>
|
||||||
|
|
||||||
|
<ItemGroup>
|
||||||
|
<Folder Include="Helper\" />
|
||||||
|
</ItemGroup>
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<PackageReference Include="AntdUI" Version="1.8.9" />
|
|
||||||
<PackageReference Include="OpenCvSharp4" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4" Version="4.10.0.20241108" />
|
||||||
<PackageReference Include="OpenCvSharp4.Extensions" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4.Extensions" Version="4.10.0.20241108" />
|
||||||
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
||||||
<PackageReference Include="System.IO.Ports" Version="9.0.3" />
|
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
|
16
DH.Commons/Enums/ClassHelper.cs
Normal file
16
DH.Commons/Enums/ClassHelper.cs
Normal file
@ -0,0 +1,16 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Text;
|
||||||
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
|
namespace DH.Commons.Enums
|
||||||
|
{
|
||||||
|
public class CameraInfo
|
||||||
|
{
|
||||||
|
public string CamName { get; set; }
|
||||||
|
public string Serinum { get; set; }
|
||||||
|
public string IP { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
@ -7,55 +7,12 @@ using System.Threading.Tasks;
|
|||||||
|
|
||||||
namespace DH.Commons.Enums
|
namespace DH.Commons.Enums
|
||||||
{
|
{
|
||||||
|
|
||||||
public enum ModelType
|
|
||||||
{
|
|
||||||
图像分类 = 1,
|
|
||||||
目标检测 = 2,
|
|
||||||
语义分割 = 3,
|
|
||||||
实例分割 = 4,
|
|
||||||
目标检测GPU = 5
|
|
||||||
}
|
|
||||||
public enum SelectPicType
|
|
||||||
{
|
|
||||||
[Description("训练图片")]
|
|
||||||
train = 0,
|
|
||||||
[Description("测试图片")]
|
|
||||||
test
|
|
||||||
|
|
||||||
}
|
|
||||||
public enum NetModel
|
|
||||||
{
|
|
||||||
[Description("目标检测")]
|
|
||||||
training = 0,
|
|
||||||
[Description("语义分割")]
|
|
||||||
train_seg,
|
|
||||||
[Description("模型导出")]
|
|
||||||
emport,
|
|
||||||
[Description("推理预测")]
|
|
||||||
infernce
|
|
||||||
|
|
||||||
}
|
|
||||||
public enum EnumCamType
|
|
||||||
{
|
|
||||||
[Description("度申相机")]
|
|
||||||
度申Do3think = 0,
|
|
||||||
[Description("海康相机")]
|
|
||||||
海康hik ,
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public enum EnumPLCType
|
public enum EnumPLCType
|
||||||
{
|
{
|
||||||
[Description("信捷XC串口")]
|
信捷XC_串口,
|
||||||
信捷XC串口 = 0,
|
信捷XC_网口,
|
||||||
[Description("信捷XC网口")]
|
信捷XD_串口,
|
||||||
信捷XC网口 = 1,
|
信捷XD_网口
|
||||||
[Description("信捷XD串口")]
|
|
||||||
信捷XD串口 = 2,
|
|
||||||
[Description("信捷XD网口")]
|
|
||||||
信捷XD网口 = 3
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
@ -71,65 +28,35 @@ namespace DH.Commons.Enums
|
|||||||
public enum EnumPLCOutputIO
|
public enum EnumPLCOutputIO
|
||||||
{
|
{
|
||||||
转盘方向=0,
|
转盘方向=0,
|
||||||
转盘速度,
|
转盘速度=1,
|
||||||
转盘使能,
|
转盘使能=2,
|
||||||
转盘启动,
|
转盘启动=3,
|
||||||
转盘清料,
|
转盘清料=4,
|
||||||
指示灯绿,
|
指示灯绿=5,
|
||||||
指示灯黄,
|
指示灯黄=6,
|
||||||
指示灯红,
|
指示灯红=7,
|
||||||
蜂鸣器,
|
蜂鸣器=8,
|
||||||
振动盘,
|
振动盘=9,
|
||||||
皮带,
|
皮带=10,
|
||||||
工位1,
|
工位1=11,
|
||||||
工位2,
|
工位2=12,
|
||||||
工位3,
|
工位3=13,
|
||||||
工位4,
|
工位4=14,
|
||||||
工位5,
|
工位5=15,
|
||||||
工位6 ,
|
OK料盒=16,
|
||||||
工位7 ,
|
NG料盒=17,
|
||||||
工位8 ,
|
OK吹气时间=18,
|
||||||
工位9 ,
|
NG吹气时间=19,
|
||||||
工位10 ,
|
产品计数=20,
|
||||||
OK料盒 ,
|
计数清零=21,
|
||||||
NG料盒,
|
工件最小值=22,
|
||||||
OK吹气时间,
|
工具最大值=23,
|
||||||
NG吹气时间,
|
启用心跳=24,
|
||||||
产品计数,
|
心跳=25
|
||||||
计数清零,
|
|
||||||
工件最小值,
|
|
||||||
工件最大值,
|
|
||||||
启用心跳,
|
|
||||||
心跳地址,
|
|
||||||
挡料电机回原点,
|
|
||||||
挡料电机回原点速度,
|
|
||||||
挡料电机速度,
|
|
||||||
挡料电机顺时针,
|
|
||||||
挡料电机逆时针,
|
|
||||||
挡料电机位置,
|
|
||||||
OK脉冲,
|
|
||||||
NG脉冲,
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
public enum EnumPLCDataType
|
|
||||||
{
|
|
||||||
HD,
|
|
||||||
D,
|
|
||||||
M
|
|
||||||
}
|
|
||||||
public enum EnumPLCINTType
|
|
||||||
{
|
|
||||||
单字16位,
|
|
||||||
单字32位,
|
|
||||||
双字16位,
|
|
||||||
双字32位
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum StreamFormat
|
public enum StreamFormat
|
||||||
{
|
{
|
||||||
[Description("8位图像")]
|
[Description("8位图像")]
|
||||||
@ -615,15 +542,5 @@ namespace DH.Commons.Enums
|
|||||||
//[Description("插补模式")]
|
//[Description("插补模式")]
|
||||||
//Coordinate = 11
|
//Coordinate = 11
|
||||||
}
|
}
|
||||||
public enum CameraAcquisitionMode
|
|
||||||
{
|
|
||||||
连续模式=0,
|
|
||||||
触发模式=1
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum CameraTriggerMode
|
|
||||||
{
|
|
||||||
软触发 = 0,
|
|
||||||
硬触发 = 1
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
@ -5,7 +5,7 @@ using System.Linq;
|
|||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
namespace XKRS.Common.Model.SolidMotionCard
|
||||||
{
|
{
|
||||||
|
|
||||||
|
|
||||||
|
@ -1,6 +1,6 @@
|
|||||||
|
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
namespace XKRS.Common.Model
|
||||||
{
|
{
|
||||||
public static class GlobalVar
|
public static class GlobalVar
|
||||||
{
|
{
|
||||||
|
@ -1,266 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.IO;
|
|
||||||
using System.Text.Json;
|
|
||||||
using System.Text.Json.Serialization;
|
|
||||||
using AntdUI;
|
|
||||||
using DH.Commons.Base;
|
|
||||||
using DH.Commons.Models;
|
|
||||||
|
|
||||||
namespace DH.Commons.Helper
|
|
||||||
{
|
|
||||||
public static class ConfigHelper
|
|
||||||
{
|
|
||||||
private static readonly JsonSerializerOptions _jsonOptions = new JsonSerializerOptions
|
|
||||||
{
|
|
||||||
WriteIndented = true,
|
|
||||||
PropertyNamingPolicy = JsonNamingPolicy.CamelCase,
|
|
||||||
IgnoreNullValues = true
|
|
||||||
};
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 配置存储根目录
|
|
||||||
/// </summary>
|
|
||||||
private static string ConfigsRoot => Path.Combine(
|
|
||||||
AppDomain.CurrentDomain.BaseDirectory,
|
|
||||||
"configs");
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取当前方案的主配置文件路径
|
|
||||||
/// </summary>
|
|
||||||
private static string CurrentConfigPath
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
ValidateCurrentScheme();
|
|
||||||
return Path.Combine(
|
|
||||||
ConfigsRoot,
|
|
||||||
$"config_{SystemModel.CurrentScheme}.json");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取当前方案的备份目录路径
|
|
||||||
/// </summary>
|
|
||||||
private static string CurrentBackupDir
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
ValidateCurrentScheme();
|
|
||||||
return Path.Combine(
|
|
||||||
ConfigsRoot,
|
|
||||||
$"bak_{SystemModel.CurrentScheme}");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 初始化新方案(创建空文件)
|
|
||||||
/// </summary>
|
|
||||||
public static void InitializeScheme(string scheme)
|
|
||||||
{
|
|
||||||
SystemModel.CurrentScheme = scheme;
|
|
||||||
|
|
||||||
// 创建空配置文件
|
|
||||||
if (!File.Exists(CurrentConfigPath))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(ConfigsRoot);
|
|
||||||
File.WriteAllText(CurrentConfigPath, "{}");
|
|
||||||
}
|
|
||||||
|
|
||||||
// 创建备份目录
|
|
||||||
Directory.CreateDirectory(CurrentBackupDir);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 保存当前配置(自动备份)
|
|
||||||
/// </summary>
|
|
||||||
public static void SaveConfig()
|
|
||||||
{
|
|
||||||
ValidateCurrentScheme();
|
|
||||||
|
|
||||||
// 确保配置目录存在
|
|
||||||
Directory.CreateDirectory(ConfigsRoot);
|
|
||||||
|
|
||||||
// 备份现有配置
|
|
||||||
if (File.Exists(CurrentConfigPath))
|
|
||||||
{
|
|
||||||
var backupName = $"config_{SystemModel.CurrentScheme}_{DateTime.Now:yyyyMMddHHmmss}.json";
|
|
||||||
var backupPath = Path.Combine(CurrentBackupDir, backupName);
|
|
||||||
|
|
||||||
Directory.CreateDirectory(CurrentBackupDir);
|
|
||||||
File.Copy(CurrentConfigPath, backupPath);
|
|
||||||
}
|
|
||||||
//重置标签文件路径和内容
|
|
||||||
ConfigModel.DetectionList.ForEach(config =>
|
|
||||||
{
|
|
||||||
GenerateLabelFile(config);
|
|
||||||
});
|
|
||||||
|
|
||||||
// 序列化当前配置
|
|
||||||
var json = JsonSerializer.Serialize(new
|
|
||||||
{
|
|
||||||
ConfigModel.CameraBaseList,
|
|
||||||
ConfigModel.PLCBaseList,
|
|
||||||
ConfigModel.DetectionList
|
|
||||||
}, _jsonOptions);
|
|
||||||
|
|
||||||
// 写入新配置
|
|
||||||
File.WriteAllText(CurrentConfigPath, json);
|
|
||||||
}
|
|
||||||
private static void GenerateLabelFile(DetectionConfig config)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (config.DetectionLableList == null || string.IsNullOrEmpty(config.In_lable_path))
|
|
||||||
return;
|
|
||||||
|
|
||||||
// 确保目录存在
|
|
||||||
var directory = Path.GetDirectoryName(config.In_lable_path);
|
|
||||||
if (!string.IsNullOrEmpty(directory) && !Directory.Exists(directory))
|
|
||||||
{
|
|
||||||
Directory.CreateDirectory(directory);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 写入文件内容
|
|
||||||
using (var writer = new StreamWriter(config.In_lable_path, false))
|
|
||||||
{
|
|
||||||
foreach (var label in config.DetectionLableList)
|
|
||||||
{
|
|
||||||
// 根据实际需求格式化输出
|
|
||||||
writer.WriteLine(label.LabelName.ToString()); // 假设DetectionLable重写了ToString()
|
|
||||||
|
|
||||||
// 或者明确指定格式:
|
|
||||||
// writer.WriteLine($"{label.Id},{label.Name},{label.Confidence}");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
Debug.WriteLine($"生成标签文件失败: {ex.Message}");
|
|
||||||
// 可以考虑记录更详细的日志
|
|
||||||
}
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 加载当前方案配置
|
|
||||||
/// </summary>
|
|
||||||
public static void LoadConfig()
|
|
||||||
{
|
|
||||||
ValidateCurrentScheme();
|
|
||||||
|
|
||||||
if (!File.Exists(CurrentConfigPath))
|
|
||||||
{
|
|
||||||
InitializeScheme(SystemModel.CurrentScheme);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var json = File.ReadAllText(CurrentConfigPath);
|
|
||||||
var data = JsonSerializer.Deserialize<ConfigData>(json, _jsonOptions);
|
|
||||||
|
|
||||||
ConfigModel.CameraBaseList = data?.Cameras ?? new List<CameraBase>();
|
|
||||||
ConfigModel.PLCBaseList = data?.PLCs ?? new List<PLCBase>();
|
|
||||||
ConfigModel.DetectionList = data?.Detections ?? new List<DetectionConfig>();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 验证当前方案有效性
|
|
||||||
/// </summary>
|
|
||||||
private static void ValidateCurrentScheme()
|
|
||||||
{
|
|
||||||
if (string.IsNullOrWhiteSpace(SystemModel.CurrentScheme))
|
|
||||||
throw new InvalidOperationException("当前方案未设置");
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 派生新方案(基于当前方案创建副本)
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="newSchemeName">新方案名称</param>
|
|
||||||
public static void DeriveScheme(string newSchemeName)
|
|
||||||
{
|
|
||||||
// 验证输入
|
|
||||||
if (string.IsNullOrWhiteSpace(newSchemeName))
|
|
||||||
{
|
|
||||||
throw new ArgumentException("新方案名称不能为空");
|
|
||||||
}
|
|
||||||
|
|
||||||
// 验证当前方案是否有效
|
|
||||||
ValidateCurrentScheme();
|
|
||||||
|
|
||||||
// 检查新方案是否已存在
|
|
||||||
var newConfigPath = Path.Combine(ConfigsRoot, $"config_{newSchemeName}.json");
|
|
||||||
if (File.Exists(newConfigPath))
|
|
||||||
{
|
|
||||||
throw new InvalidOperationException($"方案 {newSchemeName} 已存在");
|
|
||||||
}
|
|
||||||
|
|
||||||
// 保存当前配置确保最新
|
|
||||||
SaveConfig();
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// 复制配置文件
|
|
||||||
File.Copy(CurrentConfigPath, newConfigPath);
|
|
||||||
|
|
||||||
// 创建备份目录
|
|
||||||
var newBackupDir = Path.Combine(ConfigsRoot, $"bak_{newSchemeName}");
|
|
||||||
Directory.CreateDirectory(newBackupDir);
|
|
||||||
|
|
||||||
// 可选:自动切换新方案
|
|
||||||
// SystemModel.CurrentScheme = newSchemeName;
|
|
||||||
}
|
|
||||||
catch (IOException ex)
|
|
||||||
{
|
|
||||||
throw new InvalidOperationException($"方案派生失败: {ex.Message}", ex);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 删除指定方案的配置文件及备份目录
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="schemeName">要删除的方案名称</param>
|
|
||||||
/// <exception cref="ArgumentException">当方案名称为空时抛出</exception>
|
|
||||||
/// <exception cref="IOException">文件操作失败时抛出</exception>
|
|
||||||
public static void DeleteSchemeConfig(string schemeName)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrWhiteSpace(schemeName))
|
|
||||||
throw new ArgumentException("方案名称无效");
|
|
||||||
|
|
||||||
// 构造路径
|
|
||||||
var configPath = Path.Combine(ConfigsRoot, $"config_{schemeName}.json");
|
|
||||||
var backupDir = Path.Combine(ConfigsRoot, $"bak_{schemeName}");
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// 删除配置文件
|
|
||||||
if (File.Exists(configPath))
|
|
||||||
{
|
|
||||||
File.Delete(configPath);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 删除备份目录(递归删除)
|
|
||||||
if (Directory.Exists(backupDir))
|
|
||||||
{
|
|
||||||
Directory.Delete(backupDir, true);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex) when (ex is IOException || ex is UnauthorizedAccessException)
|
|
||||||
{
|
|
||||||
throw new IOException($"删除方案 {schemeName} 的配置文件失败: {ex.Message}", ex);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 配置数据模型(内部类)
|
|
||||||
/// </summary>
|
|
||||||
private class ConfigData
|
|
||||||
{
|
|
||||||
[JsonPropertyName("cameraBaseList")]
|
|
||||||
public List<CameraBase> Cameras { get; set; } = new List<CameraBase>();
|
|
||||||
|
|
||||||
[JsonPropertyName("plcBaseList")]
|
|
||||||
public List<PLCBase> PLCs { get; set; } = new List<PLCBase>();
|
|
||||||
|
|
||||||
[JsonPropertyName("detectionList")]
|
|
||||||
public List<DetectionConfig> Detections { get; set; } = new List<DetectionConfig>();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,661 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Reflection;
|
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
|
||||||
{
|
|
||||||
public static class EnumHelper
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 根据枚举的代码名称获取枚举列表信息
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="enumName"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static List<dynamic> GetEnumListByName(string enumName, string assemblyName = "Common.Model.Helper.EnumHelper+")
|
|
||||||
{
|
|
||||||
List<dynamic> list = new List<dynamic>();
|
|
||||||
|
|
||||||
string fullName = assemblyName + enumName;
|
|
||||||
|
|
||||||
Type t = typeof(EnumHelper).Assembly.GetType(fullName);
|
|
||||||
|
|
||||||
t.GetEnumNames().ToList().ForEach(e =>
|
|
||||||
{
|
|
||||||
int value = Convert.ToInt32(Enum.Parse(t, e));
|
|
||||||
string desc = ((Enum)Enum.Parse(t, e)).GetEnumDescription();
|
|
||||||
var item = new { Value = value, Desc = desc, Code = e };
|
|
||||||
list.Add(item);
|
|
||||||
});
|
|
||||||
|
|
||||||
return list;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取枚举的列表信息,一般供下拉列表使用
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="enumType">枚举类型</param>
|
|
||||||
/// <returns>Desc:中文描述 Value:整形值 Code:枚举值</returns>
|
|
||||||
public static List<dynamic> GetEnumListByType(Type enumType)
|
|
||||||
{
|
|
||||||
List<dynamic> list = new List<dynamic>();
|
|
||||||
|
|
||||||
enumType.GetEnumNames().ToList().ForEach(e =>
|
|
||||||
{
|
|
||||||
int value = Convert.ToInt32(Enum.Parse(enumType, e));
|
|
||||||
string desc = ((Enum)Enum.Parse(enumType, e)).GetEnumDescription();
|
|
||||||
var item = new { Value = value, Desc = desc, Code = e };
|
|
||||||
list.Add(item);
|
|
||||||
});
|
|
||||||
|
|
||||||
return list;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取具体某一枚举的中文描述
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="enumObj"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static string GetEnumDescription(this Enum enumObj)
|
|
||||||
{
|
|
||||||
Type t = enumObj.GetType();
|
|
||||||
FieldInfo f = t.GetField(enumObj.ToString());
|
|
||||||
if (f == null)
|
|
||||||
{
|
|
||||||
return enumObj.ToString();
|
|
||||||
}
|
|
||||||
DescriptionAttribute attr = f.GetCustomAttribute<DescriptionAttribute>();
|
|
||||||
if (attr != null)
|
|
||||||
{
|
|
||||||
return attr.Description;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return enumObj.ToString();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 根据描述获取枚举值(泛型方法)
|
|
||||||
public static T GetEnumFromDescription<T>(string description) where T : Enum
|
|
||||||
{
|
|
||||||
Type enumType = typeof(T);
|
|
||||||
foreach (T value in Enum.GetValues(enumType))
|
|
||||||
{
|
|
||||||
string desc = GetEnumDescription(value);
|
|
||||||
if (desc == description)
|
|
||||||
{
|
|
||||||
return value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
throw new ArgumentException($"在枚举 {enumType.Name} 中未找到描述为 '{description}' 的值");
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取枚举类型的所有描述文本
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="enumType">枚举类型</param>
|
|
||||||
/// <returns>描述文本列表</returns>
|
|
||||||
public static List<string> GetEnumDescriptions(Type enumType)
|
|
||||||
{
|
|
||||||
// 验证类型是否为枚举
|
|
||||||
if (!enumType.IsEnum)
|
|
||||||
throw new ArgumentException("传入的类型必须是枚举类型", nameof(enumType));
|
|
||||||
|
|
||||||
var descriptions = new List<string>();
|
|
||||||
|
|
||||||
foreach (var value in Enum.GetValues(enumType))
|
|
||||||
{
|
|
||||||
var fieldInfo = enumType.GetField(value.ToString());
|
|
||||||
var attribute = fieldInfo.GetCustomAttribute<DescriptionAttribute>();
|
|
||||||
descriptions.Add(attribute?.Description ?? value.ToString());
|
|
||||||
}
|
|
||||||
|
|
||||||
return descriptions;
|
|
||||||
}
|
|
||||||
public static string GetEnumDescription1(Enum value)
|
|
||||||
{
|
|
||||||
var field = value.GetType().GetField(value.ToString());
|
|
||||||
var attribute = field.GetCustomAttributes(typeof(DescriptionAttribute), false)
|
|
||||||
.FirstOrDefault() as DescriptionAttribute;
|
|
||||||
return attribute?.Description ?? value.ToString();
|
|
||||||
}
|
|
||||||
[Flags]
|
|
||||||
public enum DeviceAttributeType
|
|
||||||
{
|
|
||||||
[Description("设备驱动")]
|
|
||||||
Device = 1,
|
|
||||||
|
|
||||||
[Description("初始配置")]
|
|
||||||
InitialConfig = 2,
|
|
||||||
[Description("操作配置")]
|
|
||||||
OperationConfig = 4,
|
|
||||||
[Description("设备配置")]
|
|
||||||
DeviceConfig = 8,
|
|
||||||
[Description("输入配置")]
|
|
||||||
InputConfig = 16,
|
|
||||||
|
|
||||||
[Description("初始配置控件")]
|
|
||||||
InitialConfigCtrl = 32,
|
|
||||||
[Description("操作配置控件")]
|
|
||||||
OperationConfigCtrl = 64,
|
|
||||||
[Description("设备配置控件")]
|
|
||||||
DeviceConfigCtrl = 128,
|
|
||||||
[Description("输入配置控件")]
|
|
||||||
InputConfigCtrl = 256,
|
|
||||||
|
|
||||||
[Description("运行控件")]
|
|
||||||
RunCtrl = 512,
|
|
||||||
|
|
||||||
[Description("操作配置面板")]
|
|
||||||
OperationConfigPanel = 1024,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum EnableState
|
|
||||||
{
|
|
||||||
[Description("启用")]
|
|
||||||
Enabled = 0,
|
|
||||||
[Description("禁用")]
|
|
||||||
Disabled = 1,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum EnableStateFilter
|
|
||||||
{
|
|
||||||
[Description("全部")]
|
|
||||||
All = -1,
|
|
||||||
[Description("启用")]
|
|
||||||
Enabled = 0,
|
|
||||||
[Description("禁用")]
|
|
||||||
Disabled = 1,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum OutputResult
|
|
||||||
{
|
|
||||||
[Description("OK")]
|
|
||||||
OK = 1,
|
|
||||||
[Description("NG")]
|
|
||||||
NG = 2,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// PLC项目的值的类型
|
|
||||||
/// </summary>
|
|
||||||
public enum PLCItemType
|
|
||||||
{
|
|
||||||
[Description("布尔类型")]
|
|
||||||
Bool = 0,
|
|
||||||
[Description("整型")]
|
|
||||||
Integer = 1,
|
|
||||||
[Description("字符串型")]
|
|
||||||
String = 2,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 对PLC项目的操作类型
|
|
||||||
/// </summary>
|
|
||||||
public enum PLCOpType
|
|
||||||
{
|
|
||||||
[Description("读取")]
|
|
||||||
Read = 1,
|
|
||||||
[Description("写入")]
|
|
||||||
Write = 2,
|
|
||||||
[Description("监控")]
|
|
||||||
Monitor = 4,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 报警监控 1+8
|
|
||||||
/// </summary>
|
|
||||||
[Description("报警监控")]
|
|
||||||
WarningMonitor = 9,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// CT监控 1+16
|
|
||||||
/// </summary>
|
|
||||||
[Description("CT监控")]
|
|
||||||
CTMonitor = 17,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 相机运行模式
|
|
||||||
/// </summary>
|
|
||||||
public enum CameraOpMode
|
|
||||||
{
|
|
||||||
[Description("单次拍照")]
|
|
||||||
SingleSnapShot = 1,
|
|
||||||
[Description("连续模式")]
|
|
||||||
ContinuousMode = 2,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 日志类型
|
|
||||||
/// </summary>
|
|
||||||
public enum LogType
|
|
||||||
{
|
|
||||||
[Description("警告信息")]
|
|
||||||
Exception_Warning = 1,
|
|
||||||
[Description("错误信息")]
|
|
||||||
Exception_Error = 2,
|
|
||||||
[Description("致命信息")]
|
|
||||||
Exception_Fatal = 3,
|
|
||||||
|
|
||||||
[Description("设备信息")]
|
|
||||||
Info_Device = 11,
|
|
||||||
[Description("工序信息")]
|
|
||||||
Info_Process = 12,
|
|
||||||
[Description("操作信息")]
|
|
||||||
Info_Operation = 13,
|
|
||||||
|
|
||||||
[Description("用户操作信息")]
|
|
||||||
User_Operation = 21,
|
|
||||||
|
|
||||||
[Description("测量结果")]
|
|
||||||
MeasureResult = 31,
|
|
||||||
}
|
|
||||||
|
|
||||||
//public enum CameraDriverType
|
|
||||||
//{
|
|
||||||
// Halcon,
|
|
||||||
// //HalconPlugIn,
|
|
||||||
// Hik,
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public enum ImageType
|
|
||||||
//{
|
|
||||||
// Bmp,
|
|
||||||
// Png,
|
|
||||||
// Jpeg,
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public enum ReplyValue
|
|
||||||
//{
|
|
||||||
// OK = 1,
|
|
||||||
// NG = -1,
|
|
||||||
// IGNORE = -999,
|
|
||||||
//}
|
|
||||||
|
|
||||||
public enum PriorityDirection
|
|
||||||
{
|
|
||||||
X,
|
|
||||||
Y,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum ElementState
|
|
||||||
{
|
|
||||||
New = 1,
|
|
||||||
MouseHover = 2,
|
|
||||||
MouseInSide = 3,
|
|
||||||
Selected = 4,
|
|
||||||
Moving = 5,
|
|
||||||
Editing = 6,
|
|
||||||
|
|
||||||
Normal = 11,
|
|
||||||
|
|
||||||
Measuring = 21,
|
|
||||||
MeasureDoneOK = 22,
|
|
||||||
MeasureDoneNG = 23,
|
|
||||||
|
|
||||||
CanStretchLeft = 41,
|
|
||||||
CanStretchRight = 42,
|
|
||||||
CanStretchTop = 43,
|
|
||||||
CanStretchBottom = 44,
|
|
||||||
|
|
||||||
CanStretchLeftUpperCorner = 45,
|
|
||||||
CanStretchLeftLowerCorner = 46,
|
|
||||||
CanStretchRightUpperCorner = 47,
|
|
||||||
CanStretchRightLowerCorner = 48,
|
|
||||||
|
|
||||||
StretchingLeft = 31,
|
|
||||||
StretchingRight = 32,
|
|
||||||
StretchingTop = 33,
|
|
||||||
StretchingBottom = 34,
|
|
||||||
|
|
||||||
StretchingLeftUpperCorner = 35,
|
|
||||||
StretchingLeftLowerCorner = 36,
|
|
||||||
StretchingRightUpperCorner = 37,
|
|
||||||
StretchingRightLowerCorner = 38,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum MouseState
|
|
||||||
{
|
|
||||||
Normal = 1,
|
|
||||||
HoverElement = 2,
|
|
||||||
InSideElement = 3,
|
|
||||||
|
|
||||||
MoveElement = 4,
|
|
||||||
|
|
||||||
StretchingLeft = 11,
|
|
||||||
StretchingRight = 12,
|
|
||||||
StretchingTop = 13,
|
|
||||||
StretchingBottom = 14,
|
|
||||||
|
|
||||||
StretchingLeftUpperCorner = 15,
|
|
||||||
StretchingLeftLowerCorner = 16,
|
|
||||||
StretchingRightUpperCorner = 17,
|
|
||||||
StretchingRightLowerCorner = 18,
|
|
||||||
|
|
||||||
New = 21,
|
|
||||||
Editing = 22,
|
|
||||||
//SelectedElement = 23,
|
|
||||||
|
|
||||||
MovingAll = 31,
|
|
||||||
|
|
||||||
SelectionZone = 41,
|
|
||||||
SelectionZoneDoing = 42,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum RunMode
|
|
||||||
{
|
|
||||||
[Description("正常运行模式")]
|
|
||||||
NormalMode = 1,
|
|
||||||
[Description("调试模式")]
|
|
||||||
DebugMode = 0,
|
|
||||||
[Description("模拟模式")]
|
|
||||||
DemoMode = 2,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum MoveType
|
|
||||||
{
|
|
||||||
[Description("绝对运动")]
|
|
||||||
AbsoluteMove = 1,
|
|
||||||
[Description("机器人坐标系相对运动")]
|
|
||||||
RobotRelativeMove = 2,
|
|
||||||
[Description("相对某个基准点位的相对运动")]
|
|
||||||
BasedPointRelativeMove = 3,
|
|
||||||
[Description("回原点")]
|
|
||||||
Origin = 4,
|
|
||||||
[Description("左侧姿势")]
|
|
||||||
LeftPose = 6,
|
|
||||||
[Description("右侧姿势")]
|
|
||||||
RightPose = 5,
|
|
||||||
[Description("前侧姿势")]
|
|
||||||
FrontPose = 7,
|
|
||||||
[Description("相机坐标系相对运动")]
|
|
||||||
CameraRelativeMove = 12,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 马达/运动板卡运行模式
|
|
||||||
/// </summary>
|
|
||||||
public enum MotionMode
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 普通点位运动
|
|
||||||
/// </summary>
|
|
||||||
[Description("普通点位运动")]
|
|
||||||
P2P = 1,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 找正限位运动
|
|
||||||
/// </summary>
|
|
||||||
[Description("找正限位运动")]
|
|
||||||
FindPositive = 4,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 离开正限位
|
|
||||||
/// </summary>
|
|
||||||
[Description("离开正限位")]
|
|
||||||
LeavePositive = 5,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 找负限位运动
|
|
||||||
/// </summary>
|
|
||||||
[Description("找负限位运动")]
|
|
||||||
FindNegative = 6,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 离开负限位
|
|
||||||
/// </summary>
|
|
||||||
[Description("离开负限位")]
|
|
||||||
LeaveNegative = 7,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 找原点运动
|
|
||||||
/// </summary>
|
|
||||||
[Description("回原点运动")]
|
|
||||||
GoHome = 8,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Jog模式
|
|
||||||
/// </summary>
|
|
||||||
[Description("Jog模式")]
|
|
||||||
Jog = 9,
|
|
||||||
|
|
||||||
///// <summary>
|
|
||||||
///// 读数头找原点方式
|
|
||||||
///// </summary>
|
|
||||||
//[Description("找原点inde")]
|
|
||||||
//FindOriIndex = 10,
|
|
||||||
|
|
||||||
///// <summary>
|
|
||||||
///// 插补模式
|
|
||||||
///// </summary>
|
|
||||||
//[Description("插补模式")]
|
|
||||||
//Coordinate = 11
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// IO预定义类型 主要针对输出
|
|
||||||
/// </summary>
|
|
||||||
public enum IOPrestatement
|
|
||||||
{
|
|
||||||
[Description("自定义")]
|
|
||||||
Customized = 0,
|
|
||||||
|
|
||||||
[Description("指示灯-黄")]
|
|
||||||
Light_Yellow = 1,
|
|
||||||
[Description("指示灯-绿")]
|
|
||||||
Light_Green = 2,
|
|
||||||
[Description("指示灯-红")]
|
|
||||||
Light_Red = 3,
|
|
||||||
[Description("蜂鸣器")]
|
|
||||||
Beep = 4,
|
|
||||||
[Description("照明灯")]
|
|
||||||
Light = 5,
|
|
||||||
|
|
||||||
[Description("急停")]
|
|
||||||
EmergencyStop = 99,
|
|
||||||
}
|
|
||||||
|
|
||||||
///// <summary>
|
|
||||||
///// GTS运动板卡控制返回控制码
|
|
||||||
///// </summary>
|
|
||||||
//public enum GTSRetCode
|
|
||||||
//{
|
|
||||||
// [Description("指令执行成功")]
|
|
||||||
// GRCRunOK = 0, // 指令执行成功
|
|
||||||
// [Description("指令执行错误")]
|
|
||||||
// GRCRunErr = 1, // 指令执行错误
|
|
||||||
// [Description("icense不支持")]
|
|
||||||
// GRCNotSupport = 2, // icense不支持
|
|
||||||
// [Description("指令参数错误")]
|
|
||||||
// GRCInvalidParam = 7, // 指令参数错误
|
|
||||||
// [Description("主机和运动控制器通讯失败")]
|
|
||||||
// GRCCommErr = -1, // 主机和运动控制器通讯失败
|
|
||||||
// [Description("打开控制器失败")]
|
|
||||||
// GRCOpenErr = -6, // 打开控制器失败
|
|
||||||
// [Description("运动控制器没有响应")]
|
|
||||||
// GRCNotAck = -7 // 运动控制器没有响应
|
|
||||||
//}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 运动板卡 IO 类型(IN OUT)
|
|
||||||
/// </summary>
|
|
||||||
public enum IOType
|
|
||||||
{
|
|
||||||
[Description("INPUT")]
|
|
||||||
INPUT = 0,
|
|
||||||
[Description("OUTPUT")]
|
|
||||||
OUTPUT = 1
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum IOValue
|
|
||||||
{
|
|
||||||
[Description("关闭")]
|
|
||||||
FALSE = 0,
|
|
||||||
[Description("开启")]
|
|
||||||
TRUE = 1,
|
|
||||||
[Description("反转")]
|
|
||||||
REVERSE = 2,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// PubSubCenter事件中心的消息类型
|
|
||||||
/// </summary>
|
|
||||||
public enum PubSubCenterMessageType
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 运行界面更新产品下拉
|
|
||||||
/// </summary>
|
|
||||||
[Description("更新产品下拉")]
|
|
||||||
UpdateProductionCodes,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 流程是否关闭
|
|
||||||
/// </summary>
|
|
||||||
[Description("流程是否打开")]
|
|
||||||
IsProcessOpened,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清除数据
|
|
||||||
/// </summary>
|
|
||||||
[Description("清除数据")]
|
|
||||||
ClearData,
|
|
||||||
/// <summary>
|
|
||||||
/// 更新批次信息
|
|
||||||
/// </summary>
|
|
||||||
[Description("更新批次信息")]
|
|
||||||
UpdateBatchNO,
|
|
||||||
/// <summary>
|
|
||||||
/// 请求批次信息
|
|
||||||
/// </summary>
|
|
||||||
[Description("更新批次信息")]
|
|
||||||
RequestBatchNO,
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 模型检测异常
|
|
||||||
/// </summary>
|
|
||||||
[Description("模型检测异常")]
|
|
||||||
MLDetectException,
|
|
||||||
}
|
|
||||||
public enum SizeEnum
|
|
||||||
{
|
|
||||||
[Description("圆形测量")]
|
|
||||||
圆形测量 = 1,
|
|
||||||
[Description("直线测量")]
|
|
||||||
直线测量 = 2,
|
|
||||||
[Description("线线测量")]
|
|
||||||
线线测量 = 3,
|
|
||||||
[Description("线圆测量")]
|
|
||||||
线圆测量 = 4,
|
|
||||||
[Description("高度测量")]
|
|
||||||
高度测量 = 5,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum MachineState
|
|
||||||
{
|
|
||||||
Unknown = 0,
|
|
||||||
Ready = 1,
|
|
||||||
Running = 2,
|
|
||||||
Alarm = 3,
|
|
||||||
Pause = 4,
|
|
||||||
Resetting = 5,
|
|
||||||
Closing = 6,
|
|
||||||
ClearProduct = 7,
|
|
||||||
Warning = 8,
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum ResultState
|
|
||||||
{
|
|
||||||
[Description("NA")]
|
|
||||||
NA = -5,
|
|
||||||
[Description("尺寸NG")]
|
|
||||||
SizeNG = -4,
|
|
||||||
[Description("检测NG")]
|
|
||||||
DetectNG = -3,
|
|
||||||
|
|
||||||
//[Description("检测不足TBD")]
|
|
||||||
// ShortageTBD = -2,
|
|
||||||
[Description("检测结果TBD")]
|
|
||||||
ResultTBD = -1,
|
|
||||||
[Description("OK")]
|
|
||||||
OK = 1,
|
|
||||||
// [Description("NG")]
|
|
||||||
// NG = 2,
|
|
||||||
//统计结果
|
|
||||||
[Description("A类NG")]
|
|
||||||
A_NG = 25,
|
|
||||||
[Description("B类NG")]
|
|
||||||
B_NG = 26,
|
|
||||||
[Description("C类NG")]
|
|
||||||
C_NG = 27,
|
|
||||||
}
|
|
||||||
public enum HikCameraType
|
|
||||||
{
|
|
||||||
[Description("HikCamera-Gige")]
|
|
||||||
Gige = 0,
|
|
||||||
[Description("HikCamera-USB")]
|
|
||||||
USB = 1
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 光源操作
|
|
||||||
/// </summary>
|
|
||||||
public enum LightOperation
|
|
||||||
{
|
|
||||||
[Description("打开")]
|
|
||||||
Open = 1,
|
|
||||||
[Description("关闭")]
|
|
||||||
Close = 2,
|
|
||||||
[Description("写入")]
|
|
||||||
Write = 3,
|
|
||||||
[Description("读取")]
|
|
||||||
Read = 4,
|
|
||||||
[Description("频闪")]
|
|
||||||
Flash = 5,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 监听反馈数据值
|
|
||||||
/// </summary>
|
|
||||||
public enum ReturnValue
|
|
||||||
{
|
|
||||||
OKVALUE = 1,
|
|
||||||
NGVALUE = -1,
|
|
||||||
EXCEPTIONVALUE = -2,
|
|
||||||
UNAUTHORIZATION = -10,
|
|
||||||
IGNORE = -999,
|
|
||||||
}
|
|
||||||
|
|
||||||
//public enum LogLevel
|
|
||||||
//{
|
|
||||||
// [Description("详细")]
|
|
||||||
// [ColorSelect("White")]
|
|
||||||
// [FontColorSelect("Green")]
|
|
||||||
// Detail = 2,
|
|
||||||
// [Description("信息")]
|
|
||||||
// [ColorSelect("White")]
|
|
||||||
// [FontColorSelect("Dark")]
|
|
||||||
// Information = 3,
|
|
||||||
// [Description("辅助")]
|
|
||||||
// [ColorSelect("White")]
|
|
||||||
// [FontColorSelect("Blue")]
|
|
||||||
// Assist = 4,
|
|
||||||
// [Description("动作")]
|
|
||||||
// [ColorSelect("DarkGreen")]
|
|
||||||
// [FontColorSelect("Yellow")]
|
|
||||||
// Action = 5,
|
|
||||||
// [Description("错误")]
|
|
||||||
// [ColorSelect("Orange")]
|
|
||||||
// [FontColorSelect("White")]
|
|
||||||
// Error = 6,
|
|
||||||
// [Description("警报")]
|
|
||||||
// [ColorSelect("Brown")]
|
|
||||||
// [FontColorSelect("White")]
|
|
||||||
// Warning = 7,
|
|
||||||
// [Description("异常")]
|
|
||||||
// [ColorSelect("Red")]
|
|
||||||
// [FontColorSelect("White")]
|
|
||||||
// Exception = 8,
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
}
|
|
@ -5,7 +5,7 @@ using System.Drawing.Imaging;
|
|||||||
using System.Runtime.ExceptionServices;
|
using System.Runtime.ExceptionServices;
|
||||||
using System.Runtime.InteropServices;
|
using System.Runtime.InteropServices;
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
namespace XKRS.Common.Model
|
||||||
{
|
{
|
||||||
public class HDevEngineTool : IDisposable
|
public class HDevEngineTool : IDisposable
|
||||||
{
|
{
|
||||||
|
@ -9,7 +9,7 @@ using System.Linq;
|
|||||||
using System.Runtime.InteropServices;
|
using System.Runtime.InteropServices;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
namespace XKRS.Common.Model
|
||||||
{
|
{
|
||||||
public class OpenCVEngineTool : IDisposable
|
public class OpenCVEngineTool : IDisposable
|
||||||
{
|
{
|
||||||
|
@ -1,117 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace DH.Commons.Helper
|
|
||||||
{
|
|
||||||
public static class SchemeHelper
|
|
||||||
{
|
|
||||||
private const string SchemesKey = "Schemes";
|
|
||||||
private const string CurrentSchemeKey = "CurrentScheme";
|
|
||||||
private const char Separator = '|';
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 初始化配置(首次运行时调用)
|
|
||||||
/// </summary>
|
|
||||||
public static void Initialize()
|
|
||||||
{
|
|
||||||
// 如果Schemes不存在,创建空键
|
|
||||||
if (!SystemConfigHelper.KeyExists(SchemesKey))
|
|
||||||
{
|
|
||||||
SystemConfigHelper.SetValue(SchemesKey, "");
|
|
||||||
}
|
|
||||||
|
|
||||||
// 如果CurrentScheme不存在,创建空键
|
|
||||||
if (!SystemConfigHelper.KeyExists(CurrentSchemeKey))
|
|
||||||
{
|
|
||||||
SystemConfigHelper.SetValue(CurrentSchemeKey, "");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取所有方案(自动处理空值)
|
|
||||||
/// </summary>
|
|
||||||
public static List<string> GetAllSchemes()
|
|
||||||
{
|
|
||||||
var schemeString = SystemConfigHelper.GetValue(SchemesKey, "");
|
|
||||||
return string.IsNullOrEmpty(schemeString)
|
|
||||||
? new List<string>()
|
|
||||||
: new List<string>(schemeString.Split(Separator));
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 添加新方案(自动初始化处理)
|
|
||||||
/// </summary>
|
|
||||||
public static void AddScheme(string schemeName)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrWhiteSpace(schemeName))
|
|
||||||
throw new ArgumentException("方案名称无效");
|
|
||||||
|
|
||||||
var schemes = GetAllSchemes();
|
|
||||||
|
|
||||||
if (schemes.Contains(schemeName))
|
|
||||||
throw new InvalidOperationException($"方案 {schemeName} 已存在");
|
|
||||||
|
|
||||||
schemes.Add(schemeName);
|
|
||||||
SaveSchemes(schemes);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设置当前方案(空值安全处理)
|
|
||||||
/// </summary>
|
|
||||||
public static void SetCurrentScheme(string schemeName)
|
|
||||||
{
|
|
||||||
var schemes = GetAllSchemes();
|
|
||||||
|
|
||||||
if (!schemes.Contains(schemeName))
|
|
||||||
throw new KeyNotFoundException($"方案 {schemeName} 不存在");
|
|
||||||
|
|
||||||
SystemConfigHelper.SetValue(CurrentSchemeKey, schemeName);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取当前方案(默认值处理)
|
|
||||||
/// </summary>
|
|
||||||
public static string GetCurrentScheme()
|
|
||||||
{
|
|
||||||
var current = SystemConfigHelper.GetValue(CurrentSchemeKey, "");
|
|
||||||
return !string.IsNullOrEmpty(current) ? current : "默认方案";
|
|
||||||
}
|
|
||||||
|
|
||||||
private static void SaveSchemes(List<string> schemes)
|
|
||||||
{
|
|
||||||
var schemeString = schemes.Count > 0
|
|
||||||
? string.Join(Separator.ToString(), schemes)
|
|
||||||
: "";
|
|
||||||
SystemConfigHelper.SetValue(SchemesKey, schemeString);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 删除指定方案(自动同步当前方案状态)
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="schemeName">要删除的方案名称</param>
|
|
||||||
/// <exception cref="ArgumentException">当方案名称为空时抛出</exception>
|
|
||||||
/// <exception cref="KeyNotFoundException">当方案不存在时抛出</exception>
|
|
||||||
public static void DeleteScheme(string schemeName)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrWhiteSpace(schemeName))
|
|
||||||
throw new ArgumentException("方案名称无效");
|
|
||||||
|
|
||||||
var schemes = GetAllSchemes();
|
|
||||||
|
|
||||||
if (!schemes.Contains(schemeName))
|
|
||||||
throw new KeyNotFoundException($"方案 {schemeName} 不存在");
|
|
||||||
|
|
||||||
// 删除前检查是否是当前方案
|
|
||||||
bool isCurrent = GetCurrentScheme() == schemeName;
|
|
||||||
|
|
||||||
// 执行删除操作
|
|
||||||
schemes.Remove(schemeName);
|
|
||||||
SaveSchemes(schemes);
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Configuration;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Reflection;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace DH.Commons.Helper
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 配置文件操作工具类(自动定位主程序配置)
|
|
||||||
/// </summary>
|
|
||||||
public static class SystemConfigHelper
|
|
||||||
{
|
|
||||||
private static Configuration _mainConfig;
|
|
||||||
private static readonly object _lock = new object();
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取主程序配置对象
|
|
||||||
/// </summary>
|
|
||||||
private static Configuration MainConfiguration
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
if (_mainConfig == null)
|
|
||||||
{
|
|
||||||
lock (_lock)
|
|
||||||
{
|
|
||||||
if (_mainConfig == null)
|
|
||||||
{
|
|
||||||
// 获取主程序路径
|
|
||||||
string exePath = Assembly.GetEntryAssembly().Location;
|
|
||||||
var configFile = exePath + ".config";
|
|
||||||
|
|
||||||
// 加载主程序配置
|
|
||||||
var fileMap = new ExeConfigurationFileMap
|
|
||||||
{
|
|
||||||
ExeConfigFilename = configFile
|
|
||||||
};
|
|
||||||
_mainConfig = ConfigurationManager.OpenMappedExeConfiguration(
|
|
||||||
fileMap,
|
|
||||||
ConfigurationUserLevel.None
|
|
||||||
);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return _mainConfig;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 检查配置项是否存在
|
|
||||||
/// </summary>
|
|
||||||
public static bool KeyExists(string key)
|
|
||||||
{
|
|
||||||
return MainConfiguration.AppSettings.Settings[key] != null;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 读取配置项(带类型自动转换)
|
|
||||||
/// </summary>
|
|
||||||
public static T GetValue<T>(string key, T defaultValue = default)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var setting = MainConfiguration.AppSettings.Settings[key];
|
|
||||||
if (setting == null) return defaultValue;
|
|
||||||
|
|
||||||
return (T)Convert.ChangeType(setting.Value, typeof(T));
|
|
||||||
}
|
|
||||||
catch
|
|
||||||
{
|
|
||||||
return defaultValue;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 写入配置项(自动保存)
|
|
||||||
/// </summary>
|
|
||||||
public static void SetValue(string key, object value)
|
|
||||||
{
|
|
||||||
var settings = MainConfiguration.AppSettings.Settings;
|
|
||||||
var stringValue = value?.ToString() ?? string.Empty;
|
|
||||||
|
|
||||||
if (settings[key] == null)
|
|
||||||
{
|
|
||||||
settings.Add(key, stringValue);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
settings[key].Value = stringValue;
|
|
||||||
}
|
|
||||||
|
|
||||||
SaveChanges();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 删除指定配置项
|
|
||||||
/// </summary>
|
|
||||||
public static void RemoveKey(string key)
|
|
||||||
{
|
|
||||||
if (KeyExists(key))
|
|
||||||
{
|
|
||||||
MainConfiguration.AppSettings.Settings.Remove(key);
|
|
||||||
SaveChanges();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 保存配置修改
|
|
||||||
/// </summary>
|
|
||||||
private static void SaveChanges()
|
|
||||||
{
|
|
||||||
MainConfiguration.Save(ConfigurationSaveMode.Modified);
|
|
||||||
ConfigurationManager.RefreshSection("appSettings");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
@ -1,123 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
|
||||||
{
|
|
||||||
public static class UIHelper
|
|
||||||
{
|
|
||||||
public static void SetCombo(ComboBox cbo, object dataSource, string display, string value)
|
|
||||||
{
|
|
||||||
cbo.DataSource = dataSource;
|
|
||||||
cbo.DisplayMember = display;
|
|
||||||
if (!string.IsNullOrWhiteSpace(value))
|
|
||||||
{
|
|
||||||
cbo.ValueMember = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static void SetCombo(ToolStripComboBox cbo, object dataSource, string display, string value)
|
|
||||||
{
|
|
||||||
cbo.ComboBox.DataSource = dataSource;
|
|
||||||
cbo.ComboBox.DisplayMember = display;
|
|
||||||
if (!string.IsNullOrWhiteSpace(value))
|
|
||||||
{
|
|
||||||
cbo.ComboBox.ValueMember = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public static void SetCombo(DataGridViewComboBoxColumn cbo, object dataSource, string display, string value)
|
|
||||||
{
|
|
||||||
cbo.DataSource = dataSource;
|
|
||||||
cbo.DisplayMember = display;
|
|
||||||
if (!string.IsNullOrWhiteSpace(value))
|
|
||||||
{
|
|
||||||
cbo.ValueMember = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#region DataGridView设置列头为复选框
|
|
||||||
public class DataGridViewCheckboxHeaderEventArgs : EventArgs
|
|
||||||
{
|
|
||||||
private bool checkedState = false;
|
|
||||||
|
|
||||||
public bool CheckedState
|
|
||||||
{
|
|
||||||
get { return checkedState; }
|
|
||||||
set { checkedState = value; }
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public delegate void DataGridViewCheckboxHeaderEventHander(object sender, DataGridViewCheckboxHeaderEventArgs e);
|
|
||||||
public class DataGridViewCheckboxHeaderCell : DataGridViewColumnHeaderCell
|
|
||||||
{
|
|
||||||
Point checkBoxLocation;
|
|
||||||
Size checkBoxSize;
|
|
||||||
bool _checked = false;
|
|
||||||
Point _cellLocation = new Point();
|
|
||||||
System.Windows.Forms.VisualStyles.CheckBoxState _cbState = System.Windows.Forms.VisualStyles.CheckBoxState.UncheckedNormal;
|
|
||||||
|
|
||||||
public event DataGridViewCheckboxHeaderEventHander OnCheckBoxClicked;
|
|
||||||
|
|
||||||
//绘制列头checkbox
|
|
||||||
protected override void Paint(System.Drawing.Graphics graphics,
|
|
||||||
System.Drawing.Rectangle clipBounds,
|
|
||||||
System.Drawing.Rectangle cellBounds,
|
|
||||||
int rowIndex,
|
|
||||||
DataGridViewElementStates dataGridViewElementState,
|
|
||||||
object value,
|
|
||||||
object formattedValue,
|
|
||||||
string errorText,
|
|
||||||
DataGridViewCellStyle cellStyle,
|
|
||||||
DataGridViewAdvancedBorderStyle advancedBorderStyle,
|
|
||||||
DataGridViewPaintParts paintParts)
|
|
||||||
{
|
|
||||||
base.Paint(graphics, clipBounds, cellBounds, rowIndex,
|
|
||||||
dataGridViewElementState, value,
|
|
||||||
formattedValue, errorText, cellStyle,
|
|
||||||
advancedBorderStyle, paintParts);
|
|
||||||
|
|
||||||
Point p = new Point();
|
|
||||||
Size s = CheckBoxRenderer.GetGlyphSize(graphics, System.Windows.Forms.VisualStyles.CheckBoxState.UncheckedNormal);
|
|
||||||
p.X = cellBounds.Location.X + (cellBounds.Width / 2) - (s.Width / 2) - 1; //列头checkbox的X坐标
|
|
||||||
p.Y = cellBounds.Location.Y + (cellBounds.Height / 2) - (s.Height / 2); //列头checkbox的Y坐标
|
|
||||||
_cellLocation = cellBounds.Location;
|
|
||||||
checkBoxLocation = p;
|
|
||||||
checkBoxSize = s;
|
|
||||||
if (_checked)
|
|
||||||
_cbState = System.Windows.Forms.VisualStyles.CheckBoxState.CheckedNormal;
|
|
||||||
else
|
|
||||||
_cbState = System.Windows.Forms.VisualStyles.CheckBoxState.UncheckedNormal;
|
|
||||||
|
|
||||||
CheckBoxRenderer.DrawCheckBox(graphics, checkBoxLocation, _cbState);
|
|
||||||
}
|
|
||||||
|
|
||||||
///
|
|
||||||
/// 点击列头checkbox单击事件
|
|
||||||
///
|
|
||||||
protected override void OnMouseClick(DataGridViewCellMouseEventArgs e)
|
|
||||||
{
|
|
||||||
Point p = new Point(e.X + _cellLocation.X, e.Y + _cellLocation.Y);
|
|
||||||
if (p.X >= checkBoxLocation.X && p.X <= checkBoxLocation.X + checkBoxSize.Width
|
|
||||||
&& p.Y >= checkBoxLocation.Y && p.Y <= checkBoxLocation.Y + checkBoxSize.Height)
|
|
||||||
{
|
|
||||||
_checked = !_checked;
|
|
||||||
|
|
||||||
//获取列头checkbox的选择状态
|
|
||||||
DataGridViewCheckboxHeaderEventArgs ex = new DataGridViewCheckboxHeaderEventArgs();
|
|
||||||
ex.CheckedState = _checked;
|
|
||||||
|
|
||||||
object sender = new object();//此处不代表选择的列头checkbox,只是作为参数传递。因为列头checkbox是绘制出来的,无法获得它的实例
|
|
||||||
|
|
||||||
if (OnCheckBoxClicked != null)
|
|
||||||
{
|
|
||||||
OnCheckBoxClicked(sender, ex);//触发单击事件
|
|
||||||
DataGridView.InvalidateCell(this);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
base.OnMouseClick(e);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
}
|
|
@ -1,39 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Drawing;
|
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.Commons.Enums
|
|
||||||
{
|
|
||||||
public interface IShapeElement : INotifyPropertyChanged, ICloneable
|
|
||||||
{
|
|
||||||
string ID { get; set; }
|
|
||||||
|
|
||||||
int Index { get; set; }
|
|
||||||
int GroupIndex { get; set; }
|
|
||||||
|
|
||||||
string Name { get; set; }
|
|
||||||
|
|
||||||
void OnMouseDown(PointF point);
|
|
||||||
void OnMouseUp(PointF point);
|
|
||||||
void OnMouseMove(PointF point);
|
|
||||||
void OnMouseDoubleClick(PointF point);
|
|
||||||
bool IsIntersect(RectangleF rect);
|
|
||||||
|
|
||||||
bool IsEnabled { get; set; }
|
|
||||||
void Draw(Graphics g);
|
|
||||||
|
|
||||||
void Translate(float x, float y);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// WPF中标识该对象是否已经加入渲染,需要显示
|
|
||||||
/// </summary>
|
|
||||||
bool IsShowing { get; set; }
|
|
||||||
|
|
||||||
void Initial();
|
|
||||||
bool IsCreatedDone();
|
|
||||||
|
|
||||||
ElementState State { get; set; }
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,29 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using DH.Commons.Base;
|
|
||||||
|
|
||||||
namespace DH.Commons.Models
|
|
||||||
{
|
|
||||||
public static class SystemModel
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 当前方案
|
|
||||||
/// </summary>
|
|
||||||
public static string CurrentScheme=string.Empty;
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 配置集合
|
|
||||||
/// </summary>
|
|
||||||
public static class ConfigModel
|
|
||||||
{
|
|
||||||
public static List<CameraBase> CameraBaseList = new List<CameraBase>();
|
|
||||||
public static List<PLCBase> PLCBaseList = new List<PLCBase>();
|
|
||||||
public static List<DetectionConfig> DetectionList = new List<DetectionConfig>();
|
|
||||||
}
|
|
||||||
}
|
|
@ -24,6 +24,7 @@
|
|||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
|
<ProjectReference Include="..\DH.Commons.Devies\DH.Commons.Devies.csproj" />
|
||||||
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
using System.Diagnostics;
|
using System.Diagnostics;
|
||||||
using System.Reflection.Metadata;
|
using System.Reflection.Metadata;
|
||||||
using System.Xml.Linq;
|
using System.Xml.Linq;
|
||||||
using DH.Commons.Base;
|
using DH.Devices.Devices;
|
||||||
using DVPCameraType;
|
using DVPCameraType;
|
||||||
using OpenCvSharp;
|
using OpenCvSharp;
|
||||||
using static System.Net.Mime.MediaTypeNames;
|
using static System.Net.Mime.MediaTypeNames;
|
||||||
@ -78,17 +78,17 @@ namespace DH.Devices.Camera
|
|||||||
//GC.KeepAlive(pCallBackFunc);
|
//GC.KeepAlive(pCallBackFunc);
|
||||||
|
|
||||||
//// ch:设置采集连续模式 | en:Set Continues Aquisition Mode
|
//// ch:设置采集连续模式 | en:Set Continues Aquisition Mode
|
||||||
if (IsContinueMode)
|
//if (IIConfig.IsContinueMode)
|
||||||
{
|
//{
|
||||||
// ch:设置触发模式为off || en:set trigger mode as off
|
// // ch:设置触发模式为off || en:set trigger mode as off
|
||||||
nRet = DVPCamera.dvpSetTriggerState(m_handle, false);
|
// nRet = DVPCamera.dvpSetTriggerState(m_handle, false);
|
||||||
if (dvpStatus.DVP_STATUS_OK != nRet)
|
// if (dvpStatus.DVP_STATUS_OK != nRet)
|
||||||
{
|
// {
|
||||||
throw new Exception("Set TriggerMode failed!");
|
// throw new Exception("Set TriggerMode failed!");
|
||||||
}
|
// }
|
||||||
}
|
//}
|
||||||
else
|
//else
|
||||||
{
|
//{
|
||||||
// ch:设置触发模式为on || en:set trigger mode as on
|
// ch:设置触发模式为on || en:set trigger mode as on
|
||||||
nRet = DVPCamera.dvpSetTriggerState(m_handle, true);
|
nRet = DVPCamera.dvpSetTriggerState(m_handle, true);
|
||||||
if (dvpStatus.DVP_STATUS_OK != nRet)
|
if (dvpStatus.DVP_STATUS_OK != nRet)
|
||||||
@ -97,8 +97,8 @@ namespace DH.Devices.Camera
|
|||||||
}
|
}
|
||||||
|
|
||||||
// 硬触发
|
// 硬触发
|
||||||
if (IsHardwareTrigger)
|
//if (IIConfig.IsHardwareTrigger)
|
||||||
{
|
//{
|
||||||
// ch:触发源选择:1 - Line1; | en:Trigger source select:1 - Line1;
|
// ch:触发源选择:1 - Line1; | en:Trigger source select:1 - Line1;
|
||||||
nRet = DVPCamera.dvpSetTriggerSource(m_handle, dvpTriggerSource.TRIGGER_SOURCE_LINE1);
|
nRet = DVPCamera.dvpSetTriggerSource(m_handle, dvpTriggerSource.TRIGGER_SOURCE_LINE1);
|
||||||
if (dvpStatus.DVP_STATUS_OK != nRet)
|
if (dvpStatus.DVP_STATUS_OK != nRet)
|
||||||
@ -113,15 +113,15 @@ namespace DH.Devices.Camera
|
|||||||
{
|
{
|
||||||
throw new Exception("Register image callback failed!");
|
throw new Exception("Register image callback failed!");
|
||||||
}
|
}
|
||||||
}
|
//}
|
||||||
else // 软触发
|
//else // 软触发
|
||||||
{
|
//{
|
||||||
nRet = DVPCamera.dvpSetTriggerSource(m_handle, dvpTriggerSource.TRIGGER_SOURCE_SOFTWARE);
|
// nRet = DVPCamera.dvpSetTriggerSource(m_handle, dvpTriggerSource.TRIGGER_SOURCE_SOFTWARE);
|
||||||
if (dvpStatus.DVP_STATUS_OK != nRet)
|
// if (dvpStatus.DVP_STATUS_OK != nRet)
|
||||||
{
|
// {
|
||||||
throw new Exception("Set Software Trigger failed!");
|
// throw new Exception("Set Software Trigger failed!");
|
||||||
}
|
// }
|
||||||
}
|
//}
|
||||||
|
|
||||||
// ch:开启抓图 || en: start grab image
|
// ch:开启抓图 || en: start grab image
|
||||||
nRet = DVPCamera.dvpStart(m_handle);
|
nRet = DVPCamera.dvpStart(m_handle);
|
||||||
@ -164,8 +164,6 @@ namespace DH.Devices.Camera
|
|||||||
//IIConfig.PropertyChanged -= IIConfig_PropertyChanged;
|
//IIConfig.PropertyChanged -= IIConfig_PropertyChanged;
|
||||||
//IIConfig.PropertyChanged += IIConfig_PropertyChanged;
|
//IIConfig.PropertyChanged += IIConfig_PropertyChanged;
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
catch
|
catch
|
||||||
@ -376,7 +374,7 @@ namespace DH.Devices.Camera
|
|||||||
{
|
{
|
||||||
dvpStreamState StreamState = new dvpStreamState();
|
dvpStreamState StreamState = new dvpStreamState();
|
||||||
nRet = DVPCamera.dvpGetStreamState(m_handle, ref StreamState);
|
nRet = DVPCamera.dvpGetStreamState(m_handle, ref StreamState);
|
||||||
//Debug.Assert(nRet == dvpStatus.DVP_STATUS_OK);
|
Debug.Assert(nRet == dvpStatus.DVP_STATUS_OK);
|
||||||
if (StreamState == dvpStreamState.STATE_STARTED)
|
if (StreamState == dvpStreamState.STATE_STARTED)
|
||||||
{
|
{
|
||||||
// stop camera
|
// stop camera
|
||||||
|
@ -5,7 +5,7 @@ using System.Runtime.InteropServices;
|
|||||||
using System.Xml.Linq;
|
using System.Xml.Linq;
|
||||||
using DH.Commons.Enums;
|
using DH.Commons.Enums;
|
||||||
using static MvCamCtrl.NET.MyCamera;
|
using static MvCamCtrl.NET.MyCamera;
|
||||||
using DH.Commons.Base;
|
using DH.Devices.Devices;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
@ -12,6 +12,10 @@
|
|||||||
<Platforms>AnyCPU;x64</Platforms>
|
<Platforms>AnyCPU;x64</Platforms>
|
||||||
</PropertyGroup>
|
</PropertyGroup>
|
||||||
|
|
||||||
|
<ItemGroup>
|
||||||
|
<PackageReference Include="System.IO.Ports" Version="9.0.2" />
|
||||||
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
81
DH.Devices.PLC/PLCBase.cs
Normal file
81
DH.Devices.PLC/PLCBase.cs
Normal file
@ -0,0 +1,81 @@
|
|||||||
|
using System.IO.Ports;
|
||||||
|
using DH.Commons.Enums;
|
||||||
|
using HslCommunication;
|
||||||
|
|
||||||
|
namespace DH.Devices.PLC
|
||||||
|
{
|
||||||
|
public class PLCBase
|
||||||
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// 连接状态
|
||||||
|
/// </summary>
|
||||||
|
public bool connected = false;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 类型
|
||||||
|
/// </summary>
|
||||||
|
public EnumPLCType PLCType=EnumPLCType.信捷XD_网口;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 串口号
|
||||||
|
/// </summary>
|
||||||
|
public string portName="COM1";
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 波特率
|
||||||
|
/// </summary>
|
||||||
|
public int baudRate = 9600;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 数据位
|
||||||
|
/// </summary>
|
||||||
|
public int dataBit = 8;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 停止位
|
||||||
|
/// </summary>
|
||||||
|
public StopBits stopBit = (StopBits)Enum.Parse(typeof(StopBits), "One");
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 奇偶效验位
|
||||||
|
/// </summary>
|
||||||
|
public Parity parity = (Parity)Enum.Parse(typeof(Parity), "None");
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// IP地址
|
||||||
|
/// </summary>
|
||||||
|
public string IP = "192.168.6.6";
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 端口号
|
||||||
|
/// </summary>
|
||||||
|
public int Port = 502;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 初始化
|
||||||
|
/// </summary>
|
||||||
|
/// <returns></returns>
|
||||||
|
public virtual bool PLCConnect() { return false; }
|
||||||
|
|
||||||
|
public virtual bool PLCDisConnect() { return false; }
|
||||||
|
|
||||||
|
public virtual ushort ReadShort(string address) { return 0; }
|
||||||
|
|
||||||
|
public virtual int ReadInt(string address) { return 0; }
|
||||||
|
|
||||||
|
|
||||||
|
public virtual float ReadFloat(string address) { return 0; }
|
||||||
|
|
||||||
|
public virtual bool ReadBool(string address) { return false; }
|
||||||
|
|
||||||
|
public virtual bool WriteShort(string address, short value, bool waitForReply = true) { return false; }
|
||||||
|
|
||||||
|
public virtual bool WriteInt(string address, int value, bool waitForReply = true) { return false; }
|
||||||
|
|
||||||
|
public virtual bool WriteDInt(string address, int value, bool waitForReply = true) { return false; }
|
||||||
|
|
||||||
|
public virtual bool WriteFloat(string address, float value, bool waitForReply = true) { return false; }
|
||||||
|
|
||||||
|
public virtual bool WriteBool(string address, bool value, bool waitForReply = true) { return false; }
|
||||||
|
}
|
||||||
|
}
|
@ -8,12 +8,10 @@ using System.Text;
|
|||||||
using System.Text.RegularExpressions;
|
using System.Text.RegularExpressions;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
using System.Xml.Linq;
|
using System.Xml.Linq;
|
||||||
using DH.Commons.Base;
|
|
||||||
using DH.Commons.Enums;
|
using DH.Commons.Enums;
|
||||||
using HslCommunication;
|
using HslCommunication;
|
||||||
using HslCommunication.Enthernet;
|
using HslCommunication.Enthernet;
|
||||||
using HslCommunication.Profinet.XINJE;
|
using HslCommunication.Profinet.XINJE;
|
||||||
using OpenCvSharp;
|
|
||||||
|
|
||||||
namespace DH.Devices.PLC
|
namespace DH.Devices.PLC
|
||||||
{
|
{
|
||||||
@ -46,29 +44,19 @@ namespace DH.Devices.PLC
|
|||||||
TcpNet.DataFormat = HslCommunication.Core.DataFormat.ABCD;
|
TcpNet.DataFormat = HslCommunication.Core.DataFormat.ABCD;
|
||||||
TcpNet.Station = 1;
|
TcpNet.Station = 1;
|
||||||
TcpNet.Series = XinJESeries.XD;
|
TcpNet.Series = XinJESeries.XD;
|
||||||
|
|
||||||
PLCItem itemSpeed = PLCItemList.FirstOrDefault(u => u.Name == "转盘速度");
|
|
||||||
if(itemSpeed== null)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
OperateResult ret = TcpNet.ConnectServer();
|
OperateResult ret = TcpNet.ConnectServer();
|
||||||
if (ret.IsSuccess)
|
if (ret.IsSuccess)
|
||||||
{
|
{
|
||||||
Connected = true;
|
connected = true;
|
||||||
CountToZero();
|
|
||||||
TcpNet.Write("M122", true);
|
|
||||||
MonitorPieces();
|
MonitorPieces();
|
||||||
TurntableStop();
|
TurntableOpen(12000,true);
|
||||||
PrepareMotion();//心跳监听
|
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
catch
|
catch
|
||||||
{
|
{
|
||||||
@ -394,13 +382,13 @@ namespace DH.Devices.PLC
|
|||||||
|
|
||||||
public override bool PLCDisConnect()
|
public override bool PLCDisConnect()
|
||||||
{
|
{
|
||||||
if (Connected)
|
if (connected)
|
||||||
{
|
{
|
||||||
TurntableStop();
|
TurntableStop();
|
||||||
var res = TcpNet.ConnectClose();
|
var res = TcpNet.ConnectClose();
|
||||||
if (res.IsSuccess)
|
if (res.IsSuccess)
|
||||||
{
|
{
|
||||||
Connected = false;
|
connected = false;
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
return false;
|
return false;
|
||||||
@ -441,22 +429,6 @@ namespace DH.Devices.PLC
|
|||||||
|
|
||||||
OnNewPieces?.Invoke(axisIndex, pieceNumber);
|
OnNewPieces?.Invoke(axisIndex, pieceNumber);
|
||||||
});
|
});
|
||||||
}
|
|
||||||
public async Task HeartbeatAsync1()
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
while (Connected)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "心跳地址");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string HeartbeatAddress = pLCItem.Type + pLCItem.Address;
|
|
||||||
TcpNet.Write(HeartbeatAddress, true);
|
|
||||||
await Task.Delay(900); // 非阻塞,等待1秒
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 入料监听
|
/// 入料监听
|
||||||
@ -465,23 +437,18 @@ namespace DH.Devices.PLC
|
|||||||
private void MonitorPiecesImpl()
|
private void MonitorPiecesImpl()
|
||||||
{
|
{
|
||||||
|
|
||||||
PLCItem pLCItem= PLCItemList.FirstOrDefault(u => u.Name == "产品计数");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Count = pLCItem.Type + pLCItem.Address;
|
|
||||||
DateTime startTime = DateTime.Now;
|
DateTime startTime = DateTime.Now;
|
||||||
DateTime endTime = startTime;
|
DateTime endTime = startTime;
|
||||||
TimeSpan timeSpan = endTime - startTime;
|
TimeSpan timeSpan = endTime - startTime;
|
||||||
Thread.CurrentThread.Priority = ThreadPriority.AboveNormal;
|
Thread.CurrentThread.Priority = ThreadPriority.AboveNormal;
|
||||||
//while (CurrentState != DeviceState.DSClose && CurrentState != DeviceState.DSExcept && CurrentState != DeviceState.DSUninit)
|
//while (CurrentState != DeviceState.DSClose && CurrentState != DeviceState.DSExcept && CurrentState != DeviceState.DSUninit)
|
||||||
while (Connected)
|
while (connected)
|
||||||
{
|
{
|
||||||
Stopwatch sw = new Stopwatch();
|
Stopwatch sw = new Stopwatch();
|
||||||
uint tmpPieceNumber = 0;
|
uint tmpPieceNumber = 0;
|
||||||
sw.Start();
|
sw.Start();
|
||||||
|
|
||||||
// var ret = TcpNet.ReadUInt16("D1016");
|
var ret = TcpNet.ReadUInt16("D1016");
|
||||||
var ret = TcpNet.ReadUInt16(Count);
|
|
||||||
|
|
||||||
sw.Stop();
|
sw.Stop();
|
||||||
if (ret.IsSuccess)
|
if (ret.IsSuccess)
|
||||||
@ -523,539 +490,51 @@ namespace DH.Devices.PLC
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 转盘开启操作
|
/// 转盘开启操作
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public void TurntableOpen()
|
public void TurntableOpen(int speed, bool Direction)
|
||||||
{
|
{
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "计数清零");
|
WriteBool("M122", true);
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string CountToZero = pLCItem.Type + pLCItem.Address;
|
|
||||||
PLCItem DiskSpeedItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘速度");
|
|
||||||
if (DiskSpeedItem == null)
|
|
||||||
return;
|
|
||||||
string diskSpeedadress = DiskSpeedItem.Type + DiskSpeedItem.Address;
|
|
||||||
int diskSpeedValue= Convert.ToInt32( DiskSpeedItem.Value);
|
|
||||||
PLCItem DiskDirectionItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘方向");
|
|
||||||
if (DiskDirectionItem == null)
|
|
||||||
return;
|
|
||||||
string diskDirectionadress = DiskDirectionItem.Type + DiskDirectionItem.Address;
|
|
||||||
bool Direction =Convert.ToBoolean( DiskDirectionItem.Value);
|
|
||||||
PLCItem DiskOpenItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘使能");
|
|
||||||
if (DiskOpenItem == null)
|
|
||||||
return;
|
|
||||||
string diskopenadress = DiskOpenItem.Type + DiskOpenItem.Address;
|
|
||||||
PLCItem DiskRunItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘启动");
|
|
||||||
if (DiskRunItem == null)
|
|
||||||
return;
|
|
||||||
string diskadress = DiskRunItem.Type + DiskRunItem.Address;
|
|
||||||
|
|
||||||
|
|
||||||
WriteBool(CountToZero, true);
|
|
||||||
Thread.Sleep(10);
|
Thread.Sleep(10);
|
||||||
WriteBool("M10", false);
|
WriteBool("M10", false);
|
||||||
Thread.Sleep(10);
|
Thread.Sleep(10);
|
||||||
//速度
|
//速度
|
||||||
TcpNet.Write(diskSpeedadress, (ushort)diskSpeedValue);
|
TcpNet.Write("HD10", (ushort)speed);
|
||||||
Thread.Sleep(10);
|
Thread.Sleep(10);
|
||||||
//方向
|
//方向
|
||||||
WriteBool(diskDirectionadress, Direction);
|
WriteBool("M1", Direction);
|
||||||
Thread.Sleep(10);
|
Thread.Sleep(10);
|
||||||
//使能
|
//使能
|
||||||
WriteBool(diskopenadress, true);
|
WriteBool("M2", true);
|
||||||
Thread.Sleep(10);
|
Thread.Sleep(10);
|
||||||
//启动
|
//启动
|
||||||
WriteBool(diskadress, true);
|
WriteBool("M0", true);
|
||||||
|
|
||||||
|
|
||||||
//WriteBool("M122", true);
|
|
||||||
//Thread.Sleep(10);
|
|
||||||
//WriteBool("M10", false);
|
|
||||||
//Thread.Sleep(10);
|
|
||||||
////速度
|
|
||||||
//TcpNet.Write("HD10", (ushort)10000);
|
|
||||||
//Thread.Sleep(10);
|
|
||||||
////方向
|
|
||||||
//WriteBool("M1", Direction);
|
|
||||||
//Thread.Sleep(10);
|
|
||||||
////使能
|
|
||||||
//WriteBool("M2", true);
|
|
||||||
//Thread.Sleep(10);
|
|
||||||
////启动
|
|
||||||
//WriteBool("M0", true);
|
|
||||||
Thread.Sleep(10);
|
Thread.Sleep(10);
|
||||||
// _mainMotion.CurrentState = DeviceState.DSOpen;
|
// _mainMotion.CurrentState = DeviceState.DSOpen;
|
||||||
piecesCount = 0;
|
piecesCount = 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 转盘停止操作
|
/// 转盘停止操作
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public void TurntableStop()
|
public void TurntableStop()
|
||||||
{
|
{
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "计数清零");
|
WriteBool("M122", true);
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string CountToZero = pLCItem.Type + pLCItem.Address;
|
|
||||||
PLCItem DiskRunItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘启动");
|
|
||||||
if (DiskRunItem == null)
|
|
||||||
return;
|
|
||||||
string diskadress = DiskRunItem.Type + DiskRunItem.Address;
|
|
||||||
PLCItem DiskOpenItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘使能");
|
|
||||||
if (DiskOpenItem == null)
|
|
||||||
return;
|
|
||||||
string diskopenadress = DiskOpenItem.Type + DiskOpenItem.Address;
|
|
||||||
|
|
||||||
WriteBool(CountToZero, true);
|
|
||||||
Thread.Sleep(50);
|
Thread.Sleep(50);
|
||||||
WriteBool(diskadress, false);
|
WriteBool("M0", false);
|
||||||
Thread.Sleep(50);
|
Thread.Sleep(50);
|
||||||
WriteBool(diskopenadress, false);
|
WriteBool("M2", false);
|
||||||
Thread.Sleep(50);
|
Thread.Sleep(50);
|
||||||
WriteBool("M10", false);
|
WriteBool("M50", false);
|
||||||
|
|
||||||
//WriteBool("M122", true);
|
|
||||||
//Thread.Sleep(50);
|
|
||||||
//WriteBool("M0", false);
|
|
||||||
//Thread.Sleep(50);
|
|
||||||
//WriteBool("M2", false);
|
|
||||||
//Thread.Sleep(50);
|
|
||||||
//WriteBool("M50", false);
|
|
||||||
piecesCount = 0;
|
piecesCount = 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
private void PrepareMotion()
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
//心跳
|
|
||||||
//if (X018PLCConfig.Heartbeat)
|
|
||||||
//{
|
|
||||||
|
|
||||||
Task.Run(async () => await HeartbeatAsync1());
|
|
||||||
//}
|
|
||||||
|
|
||||||
////写入工件最大值、最小值
|
|
||||||
ProjectValue();
|
|
||||||
|
|
||||||
|
|
||||||
////写入工位脉冲
|
|
||||||
Workstation1Pulse();
|
|
||||||
Workstation2Pulse();
|
|
||||||
Workstation3Pulse();
|
|
||||||
Workstation4Pulse();
|
|
||||||
Workstation5Pulse();
|
|
||||||
|
|
||||||
////写入吹气时间
|
|
||||||
ChuiQiTime();
|
|
||||||
|
|
||||||
|
|
||||||
////写入吹气脉冲
|
|
||||||
OKPulse();
|
|
||||||
NGPulse();
|
|
||||||
//if (_GC01Driver == null)
|
|
||||||
//{
|
|
||||||
// _GC01Driver = DeviceCollection.FirstOrDefault(u => u is GC01Driver) as GC01Driver;
|
|
||||||
//}
|
|
||||||
//if (_GC01Driver == null)
|
|
||||||
//{
|
|
||||||
// throw new ProcessException($"未能获取激光位移传感器驱动");
|
|
||||||
//}
|
|
||||||
//if (_vibrationDriver == null)
|
|
||||||
//{
|
|
||||||
// _vibrationDriver = DeviceCollection.FirstOrDefault(u => u is JYDAMDriver) as JYDAMDriver;
|
|
||||||
//}
|
|
||||||
//if (_vibrationDriver == null)
|
|
||||||
//{
|
|
||||||
// throw new ProcessException($"未能获取振动盘控制器驱动");
|
|
||||||
//}
|
|
||||||
|
|
||||||
// ResetTimer = new Timer(FullResetProcessExcute, null, -1, -1);
|
|
||||||
|
|
||||||
//feedingProductTimer = new Timer(FeedingProductTriggerExcute, null, -1, -1);
|
|
||||||
//feedingProductTimerTimer = new Timer(UpdateFeedingProductTrigger, null, -1, -1);
|
|
||||||
|
|
||||||
//_mainMotion.OnAxisPositionChanged -= MainMotion_OnAxisPositionChanged;
|
|
||||||
//_mainMotion.OnAxisPositionChanged += MainMotion_OnAxisPositionChanged;
|
|
||||||
|
|
||||||
//_mainMotion.OnCapturePositionChanged -= MainMotion_OnCapturePositionChanged;
|
|
||||||
//_mainMotion.OnCapturePositionChanged += MainMotion_OnCapturePositionChanged;
|
|
||||||
|
|
||||||
// _mainMotion.OnNewPieces -= MainMotion_NewPieces;
|
|
||||||
// _mainMotion.OnNewPieces += MainMotion_NewPieces;
|
|
||||||
|
|
||||||
//_mainMotion.OnAlarmVibrationDisk -= MainMotion_AlarmVibrationDisk;
|
|
||||||
//_mainMotion.OnAlarmVibrationDisk += MainMotion_AlarmVibrationDisk;
|
|
||||||
// PrepareLightIndexes();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 挡料电机操作
|
|
||||||
/// true: 顺时针
|
|
||||||
/// False: 逆时针
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="u"></param>
|
|
||||||
public void FeedingMotor( bool direction)
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
// 设置最大等待时间,假设为 3 秒
|
|
||||||
int timeout = 3000;
|
|
||||||
int elapsedTime = 0;
|
|
||||||
int checkInterval = 100; // 每次检查等待 100ms
|
|
||||||
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "挡料电机回原点");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
PLCItem zerospeeditem = PLCItemList.FirstOrDefault(u => u.Name == "挡料电机回原点速度");
|
|
||||||
if (zerospeeditem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
PLCItem CunSpeed = PLCItemList.FirstOrDefault(u => u.Name == "挡料电机速度");
|
|
||||||
if (CunSpeed == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
PLCItem CunClockwiseItem = PLCItemList.FirstOrDefault(u => u.Name == "挡料电机顺时针");
|
|
||||||
if (CunClockwiseItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
PLCItem CunCounterclockwiseItem = PLCItemList.FirstOrDefault(u => u.Name == "挡料电机逆时针");
|
|
||||||
if (CunCounterclockwiseItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
PLCItem CunPosItem = PLCItemList.FirstOrDefault(u => u.Name == "挡料电机位置");
|
|
||||||
if (CunPosItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
string CunToZero = pLCItem.Type + pLCItem.Address;
|
|
||||||
string CunToZeroSpeed = zerospeeditem.Type + zerospeeditem.Address;
|
|
||||||
string CunSpeedadress = CunSpeed.Type + CunSpeed.Address;
|
|
||||||
string CunClockwise = CunClockwiseItem.Type + CunClockwiseItem.Address;
|
|
||||||
string CunCounterclockwise = CunCounterclockwiseItem.Type + CunCounterclockwiseItem.Address;
|
|
||||||
string CunPos = CunPosItem.Type + CunPosItem.Address;
|
|
||||||
short zerospeed = (short)Convert.ToInt32(zerospeeditem.Value);
|
|
||||||
short cunSpeed = (short)Convert.ToInt32(CunSpeed.Value);
|
|
||||||
short u = (short)Convert.ToInt32(CunPosItem.Value);
|
|
||||||
// WriteBool(CountToZero, true);
|
|
||||||
|
|
||||||
// 检查是否不在原点,如果不在,则回原点
|
|
||||||
if (!ReadBool(CunToZero))
|
|
||||||
{
|
|
||||||
WriteShort(CunToZeroSpeed, (short)zerospeed); // 速度
|
|
||||||
Thread.Sleep(10);
|
|
||||||
// 发送回原点指令
|
|
||||||
WriteBool(CunToZero, true);
|
|
||||||
Thread.Sleep(1000); // 给设备一些时间响应
|
|
||||||
|
|
||||||
// 等待回到原点
|
|
||||||
while (!ReadBool(CunToZero))
|
|
||||||
{
|
|
||||||
if (elapsedTime >= timeout)
|
|
||||||
{
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
Thread.Sleep(checkInterval);
|
|
||||||
elapsedTime += checkInterval;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 无论是刚回到原点还是已经在原点,执行目标位置、速度和方向设置
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
WriteShort(CunSpeedadress, (short)cunSpeed);
|
|
||||||
Thread.Sleep(2000);
|
|
||||||
string dir = string.Empty;
|
|
||||||
if (direction)
|
|
||||||
{
|
|
||||||
WriteBool(CunClockwise, true); // 顺时针转动
|
|
||||||
dir = "顺时针";
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
WriteBool(CunCounterclockwise, true); // 逆时针转动
|
|
||||||
dir = "逆时针";
|
|
||||||
}
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(CunPos, (short)u); // 目标位置
|
|
||||||
Thread.Sleep(2000);
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 计数清零
|
/// 计数清零
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public void CountToZero()
|
public void CountToZero()
|
||||||
{
|
{
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "计数清零");
|
WriteBool("M120", true);
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string CountToZero = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(CountToZero, true);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void RedLight(bool b)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "指示灯红");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string RedLight = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(RedLight, b);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void GreenLight(bool b)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "指示灯绿");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Light = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(Light, b);
|
|
||||||
// WriteBool(IIConfig.GreenLight, b);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
public void YellowLight(bool b)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "指示灯黄");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Light = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(Light, b);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Buzzer(bool b)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "蜂鸣器");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Light = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(Light, b);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Belt(bool b)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "皮带");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Light = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(Light, b);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void Workstation1Pulse()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "工位1");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Workstation1Pulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse=Convert.ToInt32(pLCItem.Value);
|
|
||||||
|
|
||||||
string result = Regex.Replace(Workstation1Pulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(Workstation1Pulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Workstation2Pulse()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "工位2");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Workstation1Pulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse=Convert.ToInt32(pLCItem.Value);
|
|
||||||
string result = Regex.Replace(Workstation1Pulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(Workstation1Pulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
public void Workstation3Pulse()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "工位3");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Workstation1Pulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse = Convert.ToInt32(pLCItem.Value);
|
|
||||||
|
|
||||||
string result = Regex.Replace(Workstation1Pulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(Workstation1Pulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
public void Workstation4Pulse()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "工位4");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
string Workstation1Pulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse = Convert.ToInt32(pLCItem.Value);
|
|
||||||
string result = Regex.Replace(Workstation1Pulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(Workstation1Pulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Workstation5Pulse()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "工位5");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
string Workstation1Pulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse = Convert.ToInt32(pLCItem.Value);
|
|
||||||
string result = Regex.Replace(Workstation1Pulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(Workstation1Pulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public void ProjectValue()
|
|
||||||
{
|
|
||||||
PLCItem pLCItemmax = PLCItemList.FirstOrDefault(u => u.Name == "工件最大值");
|
|
||||||
if (pLCItemmax == null)
|
|
||||||
return;
|
|
||||||
PLCItem pLCItemmin = PLCItemList.FirstOrDefault(u => u.Name == "工件最小值");
|
|
||||||
if (pLCItemmin == null)
|
|
||||||
return;
|
|
||||||
int productMax =Convert.ToInt32( pLCItemmax.Value);
|
|
||||||
int productMin = Convert.ToInt32( pLCItemmin.Value);
|
|
||||||
|
|
||||||
string ProductMax = pLCItemmax.Type + pLCItemmax.Address;
|
|
||||||
string ProductMin = pLCItemmin.Type + pLCItemmin.Address;
|
|
||||||
WriteShort(ProductMax, (short)productMax);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(ProductMin, (short)productMin);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void OKPulse()
|
|
||||||
{
|
|
||||||
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "OK脉冲");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
string OKPulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse =Convert.ToInt32( pLCItem.Value);
|
|
||||||
string result = Regex.Replace(OKPulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(OKPulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void NGPulse()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "NG脉冲");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
string NGPulse = pLCItem.Type + pLCItem.Address;
|
|
||||||
int Pulse=Convert.ToInt32(pLCItem.Value);
|
|
||||||
string result = Regex.Replace(NGPulse, @"\D", "");
|
|
||||||
int r = Convert.ToInt32(result) + 1;
|
|
||||||
result = "HD" + r.ToString();
|
|
||||||
short high = (short)(Pulse >> 16); // 高 16 位
|
|
||||||
short low = (short)(Pulse & 0xFFFF); // 低 16 位
|
|
||||||
WriteShort(result, high);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
WriteShort(NGPulse, low);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void TurnClear(bool b)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "转盘清料");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
string TurnClear = pLCItem.Type + pLCItem.Address;
|
|
||||||
|
|
||||||
WriteBool(TurnClear, b);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void OpenHeartbeat(bool v)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "心跳功能");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
string Heartbeat = pLCItem.Type + pLCItem.Address;
|
|
||||||
|
|
||||||
WriteBool(Heartbeat, v);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Vibratory(bool v)
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "振动盘");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
|
|
||||||
string Vibratory = pLCItem.Type + pLCItem.Address;
|
|
||||||
WriteBool(Vibratory, v);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public void ChuiQiTime()
|
|
||||||
{
|
|
||||||
PLCItem pLCItem = PLCItemList.FirstOrDefault(u => u.Name == "吹气时间");
|
|
||||||
if (pLCItem == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
|
|
||||||
string ChuiQiTime = pLCItem.Type + pLCItem.Address;
|
|
||||||
short time = (short)Convert.ToInt32(pLCItem.Value);
|
|
||||||
WriteShort(ChuiQiTime, time);
|
|
||||||
Thread.Sleep(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
}
|
||||||
|
@ -1,4 +1,4 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk.WindowsDesktop">
|
<Project Sdk="Microsoft.NET.Sdk">
|
||||||
|
|
||||||
<PropertyGroup>
|
<PropertyGroup>
|
||||||
<TargetFramework>net8.0-windows</TargetFramework>
|
<TargetFramework>net8.0-windows</TargetFramework>
|
||||||
@ -23,23 +23,4 @@
|
|||||||
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
<PackageReference Include="OpenCvSharp4.runtime.win" Version="4.10.0.20241108" />
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
|
||||||
<ProjectReference Include="..\DH.UI.Model.Winform\DH.UI.Model.Winform.csproj" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<Reference Include="halcondotnet">
|
|
||||||
<HintPath>..\x64\Debug\halcondotnet.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
</Project>
|
</Project>
|
||||||
|
@ -6,13 +6,24 @@ using System.Text.RegularExpressions;
|
|||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Drawing.Design;
|
using System.Drawing.Design;
|
||||||
using AntdUI;
|
using AntdUI;
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
using System.Text.Json.Serialization;
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
|
|
||||||
namespace DH.Commons.Base
|
namespace DH.Devices.Vision
|
||||||
{
|
{
|
||||||
|
public enum MLModelType
|
||||||
|
{
|
||||||
|
[Description("图像分类")]
|
||||||
|
ImageClassification = 1,
|
||||||
|
[Description("目标检测")]
|
||||||
|
ObjectDetection = 2,
|
||||||
|
//[Description("图像分割")]
|
||||||
|
//ImageSegmentation = 3
|
||||||
|
[Description("语义分割")]
|
||||||
|
SemanticSegmentation = 3,
|
||||||
|
[Description("实例分割")]
|
||||||
|
InstanceSegmentation = 4,
|
||||||
|
[Description("目标检测GPU")]
|
||||||
|
ObjectGPUDetection = 5
|
||||||
|
}
|
||||||
public class ModelLabel
|
public class ModelLabel
|
||||||
{
|
{
|
||||||
public string LabelId { get; set; }
|
public string LabelId { get; set; }
|
||||||
@ -75,7 +86,6 @@ namespace DH.Commons.Base
|
|||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
public enum ResultState
|
public enum ResultState
|
||||||
{
|
{
|
||||||
@ -104,23 +114,17 @@ namespace DH.Commons.Base
|
|||||||
/// </summary>
|
/// </summary>
|
||||||
public class DetectionResultDetail
|
public class DetectionResultDetail
|
||||||
{
|
{
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string LabelBGR { get; set; }//识别到对象的标签BGR
|
public string LabelBGR { get; set; }//识别到对象的标签BGR
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public int LabelNo { get; set; } // 识别到对象的标签索引
|
public int LabelNo { get; set; } // 识别到对象的标签索引
|
||||||
|
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string LabelName { get; set; }//识别到对象的标签名称
|
public string LabelName { get; set; }//识别到对象的标签名称
|
||||||
|
|
||||||
|
|
||||||
public double Score { get; set; }//识别目标结果的可能性、得分
|
public double Score { get; set; }//识别目标结果的可能性、得分
|
||||||
|
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string LabelDisplay { get; set; }//识别到对象的 显示信息
|
public string LabelDisplay { get; set; }//识别到对象的 显示信息
|
||||||
|
|
||||||
|
|
||||||
public double Area { get; set; }//识别目标的区域面积
|
public double Area { get; set; }//识别目标的区域面积
|
||||||
|
|
||||||
public Rectangle Rect { get; set; }//识别目标的外接矩形
|
public Rectangle Rect { get; set; }//识别目标的外接矩形
|
||||||
@ -138,12 +142,8 @@ namespace DH.Commons.Base
|
|||||||
public class MLResult
|
public class MLResult
|
||||||
{
|
{
|
||||||
public bool IsSuccess = false;
|
public bool IsSuccess = false;
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string ResultMessage;
|
public string ResultMessage;
|
||||||
|
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public Bitmap ResultMap;
|
public Bitmap ResultMap;
|
||||||
|
|
||||||
public List<DetectionResultDetail> ResultDetails = new List<DetectionResultDetail>();
|
public List<DetectionResultDetail> ResultDetails = new List<DetectionResultDetail>();
|
||||||
}
|
}
|
||||||
public class MLInit
|
public class MLInit
|
||||||
@ -165,11 +165,7 @@ namespace DH.Commons.Base
|
|||||||
public bool IsGPU;
|
public bool IsGPU;
|
||||||
public int GPUId;
|
public int GPUId;
|
||||||
public float Score_thre;
|
public float Score_thre;
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public MLInit(string modelFile, bool isGPU, int gpuId, float score_thre)
|
public MLInit(string modelFile, bool isGPU, int gpuId, float score_thre)
|
||||||
|
|
||||||
|
|
||||||
{
|
{
|
||||||
ModelFile = modelFile;
|
ModelFile = modelFile;
|
||||||
IsGPU = isGPU;
|
IsGPU = isGPU;
|
||||||
@ -191,27 +187,20 @@ namespace DH.Commons.Base
|
|||||||
}
|
}
|
||||||
public class DetectStationResult
|
public class DetectStationResult
|
||||||
{
|
{
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string Pid { get; set; }
|
public string Pid { get; set; }
|
||||||
|
|
||||||
|
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string TempPid { get; set; }
|
public string TempPid { get; set; }
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 检测工位名称
|
/// 检测工位名称
|
||||||
/// </summary>
|
/// </summary>
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string DetectName { get; set; }
|
public string DetectName { get; set; }
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 深度学习 检测结果
|
/// 深度学习 检测结果
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public List<DetectionResultDetail> DetectDetails = new List<DetectionResultDetail>();
|
public List<DetectionResultDetail> DetectDetails = new List<DetectionResultDetail>();
|
||||||
public List<IShapeElement> DetectionResultShapes = new List<IShapeElement>();
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@ -249,9 +238,7 @@ namespace DH.Commons.Base
|
|||||||
public int StationDetectElapsed { get; set; }
|
public int StationDetectElapsed { get; set; }
|
||||||
public static string NormalizeAndClean(string input)
|
public static string NormalizeAndClean(string input)
|
||||||
{
|
{
|
||||||
#pragma warning disable CS8603 // 可能返回 null 引用。
|
|
||||||
if (input == null) return null;
|
if (input == null) return null;
|
||||||
#pragma warning restore CS8603 // 可能返回 null 引用。
|
|
||||||
|
|
||||||
// Step 1: 标准化字符编码为 Form C (规范组合)
|
// Step 1: 标准化字符编码为 Form C (规范组合)
|
||||||
string normalizedString = input.Normalize(NormalizationForm.FormC);
|
string normalizedString = input.Normalize(NormalizationForm.FormC);
|
||||||
@ -296,584 +283,162 @@ namespace DH.Commons.Base
|
|||||||
public RelatedCamera(string cameraSourceId)
|
public RelatedCamera(string cameraSourceId)
|
||||||
{
|
{
|
||||||
CameraSourceId = cameraSourceId;
|
CameraSourceId = cameraSourceId;
|
||||||
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
public class CustomizedPoint : INotifyPropertyChanged, IComparable<CustomizedPoint>
|
public class DetectionConfig
|
||||||
{
|
{
|
||||||
private double x = 0;
|
|
||||||
[Category("坐标设置")]
|
|
||||||
[Description("X坐标")]
|
|
||||||
public double X
|
|
||||||
{
|
|
||||||
get => x;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (value != x)
|
|
||||||
{
|
|
||||||
x = value;
|
|
||||||
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs("X"));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private double y = 0;
|
|
||||||
[Category("坐标设置")]
|
|
||||||
[Description("Y坐标")]
|
|
||||||
public double Y
|
|
||||||
{
|
|
||||||
get => y;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (value != y)
|
|
||||||
{
|
|
||||||
y = value;
|
|
||||||
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs("Y"));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public CustomizedPoint() { }
|
|
||||||
|
|
||||||
public CustomizedPoint(double x, double y)
|
|
||||||
{
|
|
||||||
X = x;
|
|
||||||
Y = y;
|
|
||||||
}
|
|
||||||
|
|
||||||
//public CustomizedPoint(Point p)
|
|
||||||
//{
|
|
||||||
// X = p.X;
|
|
||||||
// Y = p.Y;
|
|
||||||
//}
|
|
||||||
|
|
||||||
public CustomizedPoint(PointF p)
|
|
||||||
{
|
|
||||||
X = p.X;
|
|
||||||
Y = p.Y;
|
|
||||||
}
|
|
||||||
|
|
||||||
public CustomizedPoint(CustomizedPoint p)
|
|
||||||
{
|
|
||||||
X = p.X;
|
|
||||||
Y = p.Y;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 根据PLC的读取数值获取点位坐标
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="plcValues">0:X低位 1:X高位 2:Y低位 3:Y高位</param>
|
|
||||||
//public CustomizedPoint(List<int> plcValues)
|
|
||||||
//{
|
|
||||||
// if (plcValues == null || plcValues.Count != 4)
|
|
||||||
// return;
|
|
||||||
|
|
||||||
// var list = plcValues.ParseUnsignShortListToInt();
|
|
||||||
|
|
||||||
// X = list[0];
|
|
||||||
// Y = list[1];
|
|
||||||
//}
|
|
||||||
|
|
||||||
public event PropertyChangedEventHandler PropertyChanged;
|
|
||||||
|
|
||||||
public static List<CustomizedPoint> GetPoints(List<double> Xs, List<double> Ys)
|
|
||||||
{
|
|
||||||
List<CustomizedPoint> points = new List<CustomizedPoint>();
|
|
||||||
for (int i = 0; i < Xs.Count && i < Ys.Count; i++)
|
|
||||||
{
|
|
||||||
points.Add(new CustomizedPoint(Xs[i], Ys[i]));
|
|
||||||
}
|
|
||||||
|
|
||||||
return points;
|
|
||||||
}
|
|
||||||
|
|
||||||
public static double GetDistance(CustomizedPoint p1, CustomizedPoint p2)
|
|
||||||
{
|
|
||||||
return Math.Sqrt(Math.Pow(p1.X - p2.X, 2) + Math.Pow(p1.Y - p2.Y, 2));
|
|
||||||
}
|
|
||||||
|
|
||||||
public override string ToString()
|
|
||||||
{
|
|
||||||
return GetDisplayText();
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual string GetDisplayText()
|
|
||||||
{
|
|
||||||
return string.Format("X:{0};Y:{1}", X, Y);
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual string GetCSVHead()
|
|
||||||
{
|
|
||||||
return "X,Y";
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual string GetCSVData()
|
|
||||||
{
|
|
||||||
return X.ToString("f3") + ";" + Y.ToString("f3");
|
|
||||||
}
|
|
||||||
|
|
||||||
//public static double GetCustomizedPointDistance(CustomizedPoint startPoint, CustomizedPoint endPoint)
|
|
||||||
//{
|
|
||||||
// return Math.Sqrt(Math.Pow(endPoint.X - startPoint.X, 2) + Math.Pow(endPoint.Y - startPoint.Y, 2));
|
|
||||||
//}
|
|
||||||
|
|
||||||
public CustomizedPoint OffsetClone(CustomizedPoint point)
|
|
||||||
{
|
|
||||||
return new CustomizedPoint(X + point.X, Y + point.Y);
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Offset(CustomizedPoint point)
|
|
||||||
{
|
|
||||||
X += point.X;
|
|
||||||
Y += point.Y;
|
|
||||||
}
|
|
||||||
|
|
||||||
public int CompareTo(CustomizedPoint other)
|
|
||||||
{
|
|
||||||
return X == other.X && Y == other.Y ? 0 : 1;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override int GetHashCode()
|
|
||||||
{
|
|
||||||
//return (int)(X * 10 + Y);
|
|
||||||
return new Tuple<double, double>(X, Y).GetHashCode();
|
|
||||||
}
|
|
||||||
|
|
||||||
public static CustomizedPoint operator -(CustomizedPoint p1, CustomizedPoint p2)
|
|
||||||
{
|
|
||||||
return new CustomizedPoint(p1.X - p2.X, p1.Y - p2.Y);
|
|
||||||
}
|
|
||||||
|
|
||||||
public static CustomizedPoint operator +(CustomizedPoint p1, CustomizedPoint p2)
|
|
||||||
{
|
|
||||||
return new CustomizedPoint(p1.X + p2.X, p1.Y + p2.Y);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
// public class PreTreatParam
|
|
||||||
// {
|
|
||||||
|
|
||||||
// /// <summary>
|
|
||||||
// /// 参数名称
|
|
||||||
// /// </summary>
|
|
||||||
// ///
|
|
||||||
// [Category("预处理参数")]
|
|
||||||
// [DisplayName("参数名称")]
|
|
||||||
// [Description("参数名称")]
|
|
||||||
//#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
// public string Name { get; set; }
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// /// <summary>
|
|
||||||
// /// 参数值
|
|
||||||
// /// </summary>
|
|
||||||
// ///
|
|
||||||
// [Category("预处理参数")]
|
|
||||||
// [DisplayName("参数值")]
|
|
||||||
// [Description("参数值")]
|
|
||||||
//#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
// public string Value { get; set; }
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// }
|
|
||||||
public class DetectionConfig : NotifyProperty
|
|
||||||
{
|
|
||||||
#region 属性字段
|
|
||||||
private string _id = Guid.NewGuid().ToString();
|
|
||||||
private string _name;
|
|
||||||
private string _cameraSourceId = "";
|
|
||||||
private List<RelatedCamera> _cameraCollects = new List<RelatedCamera>();
|
|
||||||
private bool _isEnableGPU;
|
|
||||||
private bool _isMixModel;
|
|
||||||
private bool _isPreEnabled;
|
|
||||||
private bool _isEnabled;
|
|
||||||
private bool _isAddStation = true;
|
|
||||||
private string _halconAlgorithemPath_Pre;
|
|
||||||
private AntList<PreTreatParam> _preTreatParams = new AntList<PreTreatParam>();
|
|
||||||
private AntList<PreTreatParam> _outPreTreatParams = new AntList<PreTreatParam>();
|
|
||||||
private ModelType _modelType = ModelType.目标检测;
|
|
||||||
private string _modelPath;
|
|
||||||
private int _modelWidth = 640;
|
|
||||||
private int _modelHeight = 640;
|
|
||||||
private string _modeloutNodeName = "output0";
|
|
||||||
private float _modelconfThreshold = 0.5f;
|
|
||||||
private string _in_lable_path;
|
|
||||||
private AntList<DetectionLable> _detectionLableList = new AntList<DetectionLable>();
|
|
||||||
private AntList<SizeTreatParam> _sizeTreatParamList = new AntList<SizeTreatParam>();
|
|
||||||
|
|
||||||
private CustomizedPoint _showLocation = new CustomizedPoint();
|
|
||||||
|
|
||||||
private bool _saveOKOriginal = false;
|
|
||||||
private bool _saveNGOriginal = false;
|
|
||||||
private bool _saveOKDetect = false;
|
|
||||||
private bool _saveNGDetect = false;
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 属性声明
|
|
||||||
[ReadOnly(true)]
|
[ReadOnly(true)]
|
||||||
public string Id
|
public string Id { get; set; } = Guid.NewGuid().ToString();
|
||||||
{
|
|
||||||
get => _id;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_id == value) return;
|
|
||||||
_id = value;
|
|
||||||
OnPropertyChanged(nameof(Id));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("检测配置")]
|
[Category("检测配置")]
|
||||||
[DisplayName("检测配置名称")]
|
[DisplayName("检测配置名称")]
|
||||||
[Description("检测配置名称")]
|
[Description("检测配置名称")]
|
||||||
public string Name
|
public string Name { get; set; }
|
||||||
{
|
|
||||||
get => _name;
|
[Category("关联相机")]
|
||||||
set
|
[DisplayName("关联相机")]
|
||||||
{
|
[Description("关联相机描述")]
|
||||||
if (_name == value) return;
|
|
||||||
_name = value;
|
|
||||||
OnPropertyChanged(nameof(Name));
|
public string CameraSourceId { get; set; } = "";
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("关联相机集合")]
|
[Category("关联相机集合")]
|
||||||
[DisplayName("关联相机集合")]
|
[DisplayName("关联相机集合")]
|
||||||
[Description("关联相机描述")]
|
[Description("关联相机描述")]
|
||||||
public List<RelatedCamera> CameraCollects
|
//[TypeConverter(typeof(DeviceIdSelectorConverter<CameraBase>))]
|
||||||
{
|
|
||||||
get => _cameraCollects;
|
|
||||||
set
|
|
||||||
{
|
public List<RelatedCamera> CameraCollects { get; set; } = new List<RelatedCamera>();
|
||||||
if (_cameraCollects == value) return;
|
|
||||||
_cameraCollects = value;
|
|
||||||
OnPropertyChanged(nameof(CameraCollects));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("启用配置")]
|
[Category("启用配置")]
|
||||||
[DisplayName("是否启用GPU检测")]
|
[DisplayName("是否启用GPU检测")]
|
||||||
[Description("是否启用GPU检测")]
|
[Description("是否启用GPU检测")]
|
||||||
public bool IsEnableGPU
|
public bool IsEnableGPU { get; set; } = false;
|
||||||
{
|
|
||||||
get => _isEnableGPU;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isEnableGPU == value) return;
|
|
||||||
_isEnableGPU = value;
|
|
||||||
OnPropertyChanged(nameof(IsEnableGPU));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("启用配置")]
|
[Category("启用配置")]
|
||||||
[DisplayName("是否混料模型")]
|
[DisplayName("是否混料模型")]
|
||||||
[Description("是否混料模型")]
|
[Description("是否混料模型")]
|
||||||
public bool IsMixModel
|
public bool IsMixModel { get; set; } = false;
|
||||||
{
|
|
||||||
get => _isMixModel;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isMixModel == value) return;
|
|
||||||
_isMixModel = value;
|
|
||||||
OnPropertyChanged(nameof(IsMixModel));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("启用配置")]
|
|
||||||
[DisplayName("是否启用预处理")]
|
|
||||||
[Description("是否启用预处理")]
|
|
||||||
public bool IsPreEnabled
|
|
||||||
{
|
|
||||||
get => _isPreEnabled;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isPreEnabled == value) return;
|
|
||||||
_isPreEnabled = value;
|
|
||||||
OnPropertyChanged(nameof(IsPreEnabled));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("启用配置")]
|
[Category("启用配置")]
|
||||||
[DisplayName("是否启用该检测")]
|
[DisplayName("是否启用该检测")]
|
||||||
[Description("是否启用该检测")]
|
[Description("是否启用该检测")]
|
||||||
public bool IsEnabled
|
public bool IsEnabled { get; set; }
|
||||||
{
|
|
||||||
get => _isEnabled;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isEnabled == value) return;
|
|
||||||
_isEnabled = value;
|
|
||||||
OnPropertyChanged(nameof(IsEnabled));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("启用配置")]
|
[Category("启用配置")]
|
||||||
[DisplayName("是否加入检测工位")]
|
[DisplayName("是否加入检测工位")]
|
||||||
[Description("是否加入检测工位")]
|
[Description("是否加入检测工位")]
|
||||||
public bool IsAddStation
|
public bool IsAddStation { get; set; } = true;
|
||||||
{
|
|
||||||
get => _isAddStation;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isAddStation == value) return;
|
|
||||||
_isAddStation = value;
|
|
||||||
OnPropertyChanged(nameof(IsAddStation));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("1.预处理(视觉算子)")]
|
[Category("1.预处理(视觉算子)")]
|
||||||
[DisplayName("预处理-算法文件路径")]
|
[DisplayName("预处理-算法文件路径")]
|
||||||
public string HalconAlgorithemPath_Pre
|
// [Description("预处理算法文件路径配置")][Editor(typeof(FileDialogEditor), typeof(UITypeEditor))]
|
||||||
{
|
public string HalconAlgorithemPath_Pre { get; set; }
|
||||||
get => _halconAlgorithemPath_Pre;
|
|
||||||
set
|
// [Category("1.预处理(视觉算子)")]
|
||||||
{
|
//[DisplayName("预处理-输出结果的SPEC标准")]
|
||||||
if (_halconAlgorithemPath_Pre == value) return;
|
//[Description("预处理输出结果的SPEC标准配置")]
|
||||||
_halconAlgorithemPath_Pre = value;
|
|
||||||
OnPropertyChanged(nameof(HalconAlgorithemPath_Pre));
|
// public List<IndexedSpec> OutputSpec_Pre { get; set; } = new List<IndexedSpec>();
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("1.预处理(视觉算子)")]
|
[Category("1.预处理(视觉算子)")]
|
||||||
[DisplayName("预处理-参数列表")]
|
[DisplayName("预处理-参数列表")]
|
||||||
[Description("预处理-参数列表")]
|
[Description("预处理-参数列表")]
|
||||||
public AntList<PreTreatParam> PreTreatParams
|
|
||||||
{
|
public List<PreTreatParam> PreTreatParams { get; set; } = new List<PreTreatParam>();
|
||||||
get => _preTreatParams;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_preTreatParams == value) return;
|
|
||||||
_preTreatParams = value;
|
|
||||||
OnPropertyChanged(nameof(PreTreatParams));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("1.预处理(视觉算子)")]
|
[Category("1.预处理(视觉算子)")]
|
||||||
[DisplayName("预处理-输出参数列表")]
|
[DisplayName("预处理-输出参数列表")]
|
||||||
[Description("预处理-输出参数列表")]
|
[Description("预处理-输出参数列表")]
|
||||||
public AntList<PreTreatParam> OUTPreTreatParams
|
|
||||||
{
|
public List<PreTreatParam> OUTPreTreatParams { get; set; } = new List<PreTreatParam>();
|
||||||
get => _outPreTreatParams;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_outPreTreatParams == value) return;
|
|
||||||
_outPreTreatParams = value;
|
|
||||||
OnPropertyChanged(nameof(OUTPreTreatParams));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型类型")]
|
[DisplayName("中检测-模型类型")]
|
||||||
[Description("模型类型:ImageClassification-图片分类;ObjectDetection:目标检测;Segmentation-图像分割")]
|
[Description("模型类型:ImageClassification-图片分类;ObjectDetection:目标检测;Segmentation-图像分割")]
|
||||||
public ModelType ModelType
|
//[TypeConverter(typeof(EnumDescriptionConverter<MLModelType>))]
|
||||||
{
|
public MLModelType ModelType { get; set; } = MLModelType.ObjectDetection;
|
||||||
get => _modelType;
|
|
||||||
set
|
//[Category("2.中检测(深度学习)")]
|
||||||
{
|
//[DisplayName("中检测-GPU索引")]
|
||||||
if (_modelType == value) return;
|
//[Description("GPU索引")]
|
||||||
_modelType = value;
|
//public int GPUIndex { get; set; } = 0;
|
||||||
OnPropertyChanged(nameof(ModelType));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型文件路径")]
|
[DisplayName("中检测-模型文件路径")]
|
||||||
[Description("中处理 深度学习模型文件路径")]
|
[Description("中处理 深度学习模型文件路径,路径中不可含有中文字符,一般情况可以只配置中检测模型,当需要先用预检测过滤一次时,请先配置好与预检测相关配置")]
|
||||||
public string ModelPath
|
|
||||||
{
|
public string ModelPath { get; set; }
|
||||||
get => _modelPath;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_modelPath == value) return;
|
|
||||||
_modelPath = value;
|
|
||||||
OnPropertyChanged(nameof(ModelPath));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型宽度")]
|
[DisplayName("中检测-模型宽度")]
|
||||||
[Description("中处理-模型宽度")]
|
[Description("中处理-模型宽度")]
|
||||||
public int ModelWidth
|
|
||||||
{
|
public int ModelWidth { get; set; } = 640;
|
||||||
get => _modelWidth;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_modelWidth == value) return;
|
|
||||||
_modelWidth = value;
|
|
||||||
OnPropertyChanged(nameof(ModelWidth));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型高度")]
|
[DisplayName("中检测-模型高度")]
|
||||||
[Description("中处理-模型高度")]
|
[Description("中处理-模型高度")]
|
||||||
public int ModelHeight
|
|
||||||
{
|
public int ModelHeight { get; set; } = 640;
|
||||||
get => _modelHeight;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_modelHeight == value) return;
|
|
||||||
_modelHeight = value;
|
|
||||||
OnPropertyChanged(nameof(ModelHeight));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型节点名称")]
|
[DisplayName("中检测-模型节点名称")]
|
||||||
[Description("中处理-模型节点名称")]
|
[Description("中处理-模型节点名称")]
|
||||||
public string ModeloutNodeName
|
|
||||||
{
|
public string ModeloutNodeName { get; set; } = "output0";
|
||||||
get => _modeloutNodeName;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_modeloutNodeName == value) return;
|
|
||||||
_modeloutNodeName = value;
|
|
||||||
OnPropertyChanged(nameof(ModeloutNodeName));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型置信度")]
|
[DisplayName("中检测-模型置信度")]
|
||||||
[Description("中处理-模型置信度")]
|
[Description("中处理-模型置信度")]
|
||||||
public float ModelconfThreshold
|
|
||||||
{
|
public float ModelconfThreshold { get; set; } = 0.5f;
|
||||||
get => _modelconfThreshold;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_modelconfThreshold == value) return;
|
|
||||||
_modelconfThreshold = value;
|
|
||||||
OnPropertyChanged(nameof(ModelconfThreshold));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Category("2.中检测(深度学习)")]
|
[Category("2.中检测(深度学习)")]
|
||||||
[DisplayName("中检测-模型标签路径")]
|
[DisplayName("中检测-模型标签路径")]
|
||||||
[Description("中处理-模型标签路径")]
|
[Description("中处理-模型标签路径")]
|
||||||
public string In_lable_path
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(ModelPath) || string.IsNullOrWhiteSpace(ModelPath))
|
|
||||||
{
|
|
||||||
return string.Empty;
|
|
||||||
}
|
|
||||||
|
|
||||||
string dir = Path.GetDirectoryName(ModelPath);
|
public string in_lable_path { get; set; }
|
||||||
string file = $"{Path.GetFileNameWithoutExtension(ModelPath)}.txt";
|
|
||||||
return Path.Combine(dir, file);
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_in_lable_path == value) return;
|
|
||||||
_in_lable_path = value;
|
|
||||||
OnPropertyChanged(nameof(In_lable_path));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
[Category("4.最终过滤(逻辑过滤)")]
|
||||||
|
[DisplayName("过滤器集合")]
|
||||||
|
[Description("最后的逻辑过滤:可根据 识别出对象的 宽度、高度、面积、得分来设置最终检测结果,同一识别目标同一判定,多项过滤器之间为“或”关系")]
|
||||||
|
|
||||||
|
public List<DetectionFilter> DetectionFilterList { get; set; } = new List<DetectionFilter>();
|
||||||
|
|
||||||
[Category("显示配置")]
|
|
||||||
[DisplayName("显示位置")]
|
|
||||||
[Description("检测信息显示位置")]
|
|
||||||
public CustomizedPoint ShowLocation
|
|
||||||
{
|
|
||||||
get => _showLocation;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_showLocation == value) return;
|
|
||||||
_showLocation = value;
|
|
||||||
OnPropertyChanged(nameof(ShowLocation));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 标签集合(需确保DetectionLable也实现INotifyPropertyChanged)
|
/// 标签集合
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public AntList<DetectionLable> DetectionLableList
|
public List<DetectionLable> DetectionLableList { get; set; } = new List<DetectionLable>();
|
||||||
{
|
//[Category("深度学习配置")]
|
||||||
get => _detectionLableList;
|
//[DisplayName("检测配置标签")]
|
||||||
set
|
//[Description("检测配置标签关联")]
|
||||||
{
|
|
||||||
if (_detectionLableList == value) return;
|
|
||||||
_detectionLableList = value;
|
|
||||||
OnPropertyChanged(nameof(DetectionLableList));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public AntList<SizeTreatParam> SizeTreatParamList
|
//public List<DetectConfigLabel> DetectConfigLabelList { get; set; } = new List<DetectConfigLabel>();
|
||||||
{
|
|
||||||
get => _sizeTreatParamList;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_sizeTreatParamList == value) return;
|
|
||||||
_sizeTreatParamList = value;
|
|
||||||
OnPropertyChanged(nameof(SizeTreatParamList));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public bool SaveOKOriginal
|
public DetectionConfig()
|
||||||
{
|
{
|
||||||
get => _saveOKOriginal;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_saveOKOriginal == value) return;
|
|
||||||
_saveOKOriginal = value;
|
|
||||||
OnPropertyChanged(nameof(SaveOKOriginal));
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public bool SaveNGOriginal
|
public DetectionConfig(string name, MLModelType modelType, string modelPath, bool isEnableGPU,string sCameraSourceId)
|
||||||
{
|
{
|
||||||
get => _saveNGOriginal;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_saveNGOriginal == value) return;
|
|
||||||
_saveNGOriginal = value;
|
|
||||||
OnPropertyChanged(nameof(SaveNGOriginal));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public bool SaveOKDetect
|
|
||||||
{
|
|
||||||
get => _saveOKDetect;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_saveOKDetect == value) return;
|
|
||||||
_saveOKDetect = value;
|
|
||||||
OnPropertyChanged(nameof(SaveOKDetect));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
public bool SaveNGDetect
|
|
||||||
{
|
|
||||||
get => _saveNGDetect;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_saveNGDetect == value) return;
|
|
||||||
_saveNGDetect = value;
|
|
||||||
OnPropertyChanged(nameof(SaveNGDetect));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 构造函数
|
|
||||||
public DetectionConfig() { }
|
|
||||||
|
|
||||||
public DetectionConfig(
|
|
||||||
string name,
|
|
||||||
ModelType modelType,
|
|
||||||
string modelPath,
|
|
||||||
bool isEnableGPU,
|
|
||||||
string sCameraSourceId)
|
|
||||||
{
|
|
||||||
// 通过属性赋值触发通知
|
|
||||||
ModelPath = modelPath ?? string.Empty;
|
ModelPath = modelPath ?? string.Empty;
|
||||||
Name = name;
|
Name = name;
|
||||||
ModelType = modelType;
|
ModelType = modelType;
|
||||||
IsEnableGPU = isEnableGPU;
|
IsEnableGPU = isEnableGPU;
|
||||||
|
Id = Guid.NewGuid().ToString();
|
||||||
|
CameraSourceId = sCameraSourceId;
|
||||||
|
|
||||||
}
|
}
|
||||||
#endregion
|
|
||||||
}
|
}
|
||||||
|
|
||||||
//大改预处理类
|
//大改预处理类
|
||||||
@ -921,7 +486,6 @@ namespace DH.Commons.Base
|
|||||||
}
|
}
|
||||||
|
|
||||||
private CellLink[] cellLinks;
|
private CellLink[] cellLinks;
|
||||||
[JsonIgnore]
|
|
||||||
public CellLink[] CellLinks
|
public CellLink[] CellLinks
|
||||||
{
|
{
|
||||||
get { return cellLinks; }
|
get { return cellLinks; }
|
||||||
@ -940,11 +504,10 @@ namespace DH.Commons.Base
|
|||||||
public class DetectionLable : NotifyProperty
|
public class DetectionLable : NotifyProperty
|
||||||
{
|
{
|
||||||
private bool _selected = false;
|
private bool _selected = false;
|
||||||
|
|
||||||
private string _labelId;
|
private string _labelId;
|
||||||
private string _labelName;
|
private string _labelName;
|
||||||
private double _maxScore;
|
private double _maxSource;
|
||||||
private double _minScore;
|
private double _minSource;
|
||||||
private double _maxArea;
|
private double _maxArea;
|
||||||
private double _minArea;
|
private double _minArea;
|
||||||
private ResultState _resultState = ResultState.ResultTBD;
|
private ResultState _resultState = ResultState.ResultTBD;
|
||||||
@ -964,7 +527,6 @@ namespace DH.Commons.Base
|
|||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public string LabelId
|
public string LabelId
|
||||||
{
|
{
|
||||||
get { return _labelId; }
|
get { return _labelId; }
|
||||||
@ -987,25 +549,25 @@ namespace DH.Commons.Base
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public double MaxScore
|
public double MaxSource
|
||||||
{
|
{
|
||||||
get { return _maxScore; }
|
get { return _maxSource; }
|
||||||
set
|
set
|
||||||
{
|
{
|
||||||
if (_maxScore.Equals(value)) return;
|
if (_maxSource.Equals(value)) return;
|
||||||
_maxScore = value;
|
_maxSource = value;
|
||||||
OnPropertyChanged(nameof(MaxScore));
|
OnPropertyChanged(nameof(MaxSource));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public double MinScore
|
public double MinSource
|
||||||
{
|
{
|
||||||
get { return _minScore; }
|
get { return _minSource; }
|
||||||
set
|
set
|
||||||
{
|
{
|
||||||
if (_minScore.Equals(value)) return;
|
if (_minSource.Equals(value)) return;
|
||||||
_minScore = value;
|
_minSource = value;
|
||||||
OnPropertyChanged(nameof(MinScore));
|
OnPropertyChanged(nameof(MinSource));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1043,7 +605,6 @@ namespace DH.Commons.Base
|
|||||||
}
|
}
|
||||||
|
|
||||||
private CellLink[] cellLinks;
|
private CellLink[] cellLinks;
|
||||||
[JsonIgnore]
|
|
||||||
public CellLink[] CellLinks
|
public CellLink[] CellLinks
|
||||||
{
|
{
|
||||||
get { return cellLinks; }
|
get { return cellLinks; }
|
||||||
@ -1056,126 +617,7 @@ namespace DH.Commons.Base
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public class SizeTreatParam : NotifyProperty
|
|
||||||
{
|
|
||||||
private bool _selected = false;
|
|
||||||
|
|
||||||
|
|
||||||
private bool _isEnable;
|
|
||||||
private string _preName;
|
|
||||||
private int _prePix;
|
|
||||||
|
|
||||||
private SizeEnum _preType;
|
|
||||||
private string _resultShow;
|
|
||||||
private string _outResultShow;
|
|
||||||
|
|
||||||
|
|
||||||
private string _prePath;
|
|
||||||
|
|
||||||
|
|
||||||
public bool Selected
|
|
||||||
{
|
|
||||||
get { return _selected; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_selected == value) return;
|
|
||||||
_selected = value;
|
|
||||||
OnPropertyChanged(nameof(Selected));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public bool IsEnable
|
|
||||||
{
|
|
||||||
get { return _isEnable; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_isEnable == value) return;
|
|
||||||
_isEnable = value;
|
|
||||||
OnPropertyChanged(nameof(IsEnable));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string PreName
|
|
||||||
{
|
|
||||||
get { return _preName; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_preName == value) return;
|
|
||||||
_preName = value;
|
|
||||||
OnPropertyChanged(nameof(PreName));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public SizeEnum PreType
|
|
||||||
{
|
|
||||||
get { return _preType; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_preType == value) return;
|
|
||||||
_preType = value;
|
|
||||||
OnPropertyChanged(nameof(PreType));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public int PrePix
|
|
||||||
{
|
|
||||||
get { return _prePix; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_prePix.Equals(value)) return;
|
|
||||||
_prePix = value;
|
|
||||||
OnPropertyChanged(nameof(PrePix));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string ResultShow
|
|
||||||
{
|
|
||||||
get { return _resultShow; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_resultShow == value) return;
|
|
||||||
_resultShow = value;
|
|
||||||
OnPropertyChanged(nameof(ResultShow));
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
public string OutResultShow
|
|
||||||
{
|
|
||||||
get { return _outResultShow; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_outResultShow == value) return;
|
|
||||||
_outResultShow = value;
|
|
||||||
OnPropertyChanged(nameof(OutResultShow));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public string PrePath
|
|
||||||
{
|
|
||||||
get { return _prePath; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (_prePath.Equals(value)) return;
|
|
||||||
_prePath = value;
|
|
||||||
OnPropertyChanged(nameof(PrePath));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
private CellLink[] cellLinks;
|
|
||||||
[JsonIgnore]
|
|
||||||
public CellLink[] CellLinks
|
|
||||||
{
|
|
||||||
get { return cellLinks; }
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (cellLinks == value) return;
|
|
||||||
cellLinks = value;
|
|
||||||
OnPropertyChanged(nameof(CellLinks));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 识别目标定义 class:分类信息 Detection Segmentation:要识别的对象
|
/// 识别目标定义 class:分类信息 Detection Segmentation:要识别的对象
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@ -1216,10 +658,8 @@ namespace DH.Commons.Base
|
|||||||
[DisplayName("检测项标签")]
|
[DisplayName("检测项标签")]
|
||||||
[Description("检测标签Id")]
|
[Description("检测标签Id")]
|
||||||
//[TypeConverter(typeof(DetectionLabelConverter))]
|
//[TypeConverter(typeof(DetectionLabelConverter))]
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string LabelId { get; set; }
|
public string LabelId { get; set; }
|
||||||
|
|
||||||
|
|
||||||
[Browsable(false)]
|
[Browsable(false)]
|
||||||
//public string LabelName { get => GetLabelName(); }
|
//public string LabelName { get => GetLabelName(); }
|
||||||
|
|
||||||
@ -1317,13 +757,11 @@ namespace DH.Commons.Base
|
|||||||
[DisplayName("检测标签")]
|
[DisplayName("检测标签")]
|
||||||
[Description("检测标签信息")]
|
[Description("检测标签信息")]
|
||||||
//[TypeConverter(typeof(DetectionLabelConverter))]
|
//[TypeConverter(typeof(DetectionLabelConverter))]
|
||||||
|
|
||||||
public string LabelId { get; set; }
|
public string LabelId { get; set; }
|
||||||
|
|
||||||
|
// [Browsable(false)]
|
||||||
public string LabelName { get; set; }
|
public string LabelName { get; set; }
|
||||||
|
|
||||||
|
|
||||||
[Category("过滤器基础信息")]
|
[Category("过滤器基础信息")]
|
||||||
[DisplayName("是否启用过滤器")]
|
[DisplayName("是否启用过滤器")]
|
||||||
[Description("是否启用过滤器")]
|
[Description("是否启用过滤器")]
|
@ -1,10 +0,0 @@
|
|||||||
// This file is used by Code Analysis to maintain SuppressMessage
|
|
||||||
// attributes that are applied to this project.
|
|
||||||
// Project-level suppressions either have no target or are given
|
|
||||||
// a specific target and scoped to a namespace, type, member, etc.
|
|
||||||
|
|
||||||
using System.Diagnostics.CodeAnalysis;
|
|
||||||
|
|
||||||
[assembly: SuppressMessage("Usage", "CA2200:再次引发以保留堆栈详细信息", Justification = "<挂起>", Scope = "member", Target = "~M:DH.Devices.Vision.SimboDetection.Load(DH.Devices.Vision.MLInit)~System.Boolean")]
|
|
||||||
[assembly: SuppressMessage("Usage", "CA2200:再次引发以保留堆栈详细信息", Justification = "<挂起>", Scope = "member", Target = "~M:DH.Devices.Vision.SimboInstanceSegmentation.Load(DH.Devices.Vision.MLInit)~System.Boolean")]
|
|
||||||
[assembly: SuppressMessage("Usage", "CA2200:再次引发以保留堆栈详细信息", Justification = "<挂起>", Scope = "member", Target = "~M:DH.Devices.Vision.SimboObjectDetection.Load(DH.Devices.Vision.MLInit)~System.Boolean")]
|
|
@ -1,4 +1,4 @@
|
|||||||
//#define USE_MULTI_THREAD
|
#define USE_MULTI_THREAD
|
||||||
|
|
||||||
using OpenCvSharp;
|
using OpenCvSharp;
|
||||||
using OpenCvSharp.Extensions;
|
using OpenCvSharp.Extensions;
|
||||||
@ -13,7 +13,6 @@ using System.Threading.Tasks;
|
|||||||
using System.Security.Cryptography.Xml;
|
using System.Security.Cryptography.Xml;
|
||||||
using System.Runtime.InteropServices;
|
using System.Runtime.InteropServices;
|
||||||
using Newtonsoft.Json;
|
using Newtonsoft.Json;
|
||||||
using DH.Commons.Base;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
@ -104,18 +103,14 @@ namespace DH.Devices.Vision
|
|||||||
// json = "{\"FastDetResult\":[{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654843,\"rect\":[175,99,110,594]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654589,\"rect\":[2608,19,104,661]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654285,\"rect\":[1275,19,104,662]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.620762,\"rect\":[1510,95,107,600]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.617812,\"rect\":[2844,93,106,602]}]}";
|
// json = "{\"FastDetResult\":[{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654843,\"rect\":[175,99,110,594]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654589,\"rect\":[2608,19,104,661]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654285,\"rect\":[1275,19,104,662]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.620762,\"rect\":[1510,95,107,600]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.617812,\"rect\":[2844,93,106,602]}]}";
|
||||||
//
|
//
|
||||||
Console.WriteLine("检测结果JSON:" + json);
|
Console.WriteLine("检测结果JSON:" + json);
|
||||||
#pragma warning disable CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
HYoloResult detResult = JsonConvert.DeserializeObject<HYoloResult>(json);
|
HYoloResult detResult = JsonConvert.DeserializeObject<HYoloResult>(json);
|
||||||
#pragma warning restore CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
if (detResult == null)
|
if (detResult == null)
|
||||||
{
|
{
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
int iNum = detResult.HYolo.Count;
|
int iNum = detResult.HYolo.Count;
|
||||||
#pragma warning disable CS0219 // 变量已被赋值,但从未使用过它的值
|
|
||||||
int IokNum = 0;
|
int IokNum = 0;
|
||||||
#pragma warning restore CS0219 // 变量已被赋值,但从未使用过它的值
|
|
||||||
for (int ix = 0; ix < iNum; ix++)
|
for (int ix = 0; ix < iNum; ix++)
|
||||||
{
|
{
|
||||||
var det = detResult.HYolo[ix];
|
var det = detResult.HYolo[ix];
|
||||||
@ -145,7 +140,6 @@ namespace DH.Devices.Vision
|
|||||||
Mat originMat = new Mat();
|
Mat originMat = new Mat();
|
||||||
Mat detectMat = new Mat();
|
Mat detectMat = new Mat();
|
||||||
|
|
||||||
#pragma warning disable CS0168 // 声明了变量,但从未使用过
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
if (req.mImage == null)
|
if (req.mImage == null)
|
||||||
@ -234,20 +228,15 @@ namespace DH.Devices.Vision
|
|||||||
{
|
{
|
||||||
|
|
||||||
originMat?.Dispose();
|
originMat?.Dispose();
|
||||||
#pragma warning disable CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
originMat = null;
|
originMat = null;
|
||||||
#pragma warning restore CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
//maskMat?.Dispose();
|
//maskMat?.Dispose();
|
||||||
// maskMat = null;
|
// maskMat = null;
|
||||||
detectMat?.Dispose();
|
detectMat?.Dispose();
|
||||||
#pragma warning disable CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
detectMat = null;
|
detectMat = null;
|
||||||
#pragma warning restore CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
// maskWeighted?.Dispose();
|
// maskWeighted?.Dispose();
|
||||||
// maskWeighted = null;
|
// maskWeighted = null;
|
||||||
// GC.Collect();
|
// GC.Collect();
|
||||||
}
|
}
|
||||||
#pragma warning restore CS0168 // 声明了变量,但从未使用过
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@ -12,7 +12,6 @@ using System.Threading;
|
|||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
using System.Runtime.InteropServices;
|
using System.Runtime.InteropServices;
|
||||||
using Newtonsoft.Json;
|
using Newtonsoft.Json;
|
||||||
using DH.Commons.Base;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.Devices.Vision
|
namespace DH.Devices.Vision
|
||||||
@ -127,18 +126,14 @@ namespace DH.Devices.Vision
|
|||||||
// json = "{\"FastDetResult\":[{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654843,\"rect\":[175,99,110,594]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654589,\"rect\":[2608,19,104,661]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654285,\"rect\":[1275,19,104,662]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.620762,\"rect\":[1510,95,107,600]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.617812,\"rect\":[2844,93,106,602]}]}";
|
// json = "{\"FastDetResult\":[{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654843,\"rect\":[175,99,110,594]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654589,\"rect\":[2608,19,104,661]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654285,\"rect\":[1275,19,104,662]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.620762,\"rect\":[1510,95,107,600]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.617812,\"rect\":[2844,93,106,602]}]}";
|
||||||
//
|
//
|
||||||
Console.WriteLine("检测结果JSON:" + json);
|
Console.WriteLine("检测结果JSON:" + json);
|
||||||
#pragma warning disable CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
SegResult detResult = JsonConvert.DeserializeObject<SegResult>(json);
|
SegResult detResult = JsonConvert.DeserializeObject<SegResult>(json);
|
||||||
#pragma warning restore CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
if (detResult == null)
|
if (detResult == null)
|
||||||
{
|
{
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
int iNum = detResult.SegmentResult.Count;
|
int iNum = detResult.SegmentResult.Count;
|
||||||
#pragma warning disable CS0219 // 变量已被赋值,但从未使用过它的值
|
|
||||||
int IokNum = 0;
|
int IokNum = 0;
|
||||||
#pragma warning restore CS0219 // 变量已被赋值,但从未使用过它的值
|
|
||||||
for (int ix = 0; ix < iNum; ix++)
|
for (int ix = 0; ix < iNum; ix++)
|
||||||
{
|
{
|
||||||
var det = detResult.SegmentResult[ix];
|
var det = detResult.SegmentResult[ix];
|
||||||
@ -171,7 +166,6 @@ namespace DH.Devices.Vision
|
|||||||
Mat originMat = new Mat();
|
Mat originMat = new Mat();
|
||||||
Mat detectMat = new Mat();
|
Mat detectMat = new Mat();
|
||||||
|
|
||||||
#pragma warning disable CS0168 // 声明了变量,但从未使用过
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
if (req.mImage == null)
|
if (req.mImage == null)
|
||||||
@ -259,14 +253,11 @@ namespace DH.Devices.Vision
|
|||||||
{
|
{
|
||||||
|
|
||||||
originMat?.Dispose();
|
originMat?.Dispose();
|
||||||
#pragma warning disable CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
originMat = null;
|
originMat = null;
|
||||||
#pragma warning restore CS8600 // 将 null 字面量或可能为 null 的值转换为非 null 类型。
|
|
||||||
|
|
||||||
|
|
||||||
// GC.Collect();
|
// GC.Collect();
|
||||||
}
|
}
|
||||||
#pragma warning restore CS0168 // 声明了变量,但从未使用过
|
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
@ -13,7 +13,6 @@ using System.Threading.Tasks;
|
|||||||
using System.Runtime.InteropServices;
|
using System.Runtime.InteropServices;
|
||||||
using Newtonsoft.Json;
|
using Newtonsoft.Json;
|
||||||
using System.Xml;
|
using System.Xml;
|
||||||
using DH.Commons.Base;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.Devices.Vision
|
namespace DH.Devices.Vision
|
||||||
@ -136,7 +135,6 @@ namespace DH.Devices.Vision
|
|||||||
// json = "{\"FastDetResult\":[{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654843,\"rect\":[175,99,110,594]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654589,\"rect\":[2608,19,104,661]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654285,\"rect\":[1275,19,104,662]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.620762,\"rect\":[1510,95,107,600]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.617812,\"rect\":[2844,93,106,602]}]}";
|
// json = "{\"FastDetResult\":[{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654843,\"rect\":[175,99,110,594]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654589,\"rect\":[2608,19,104,661]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.654285,\"rect\":[1275,19,104,662]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.620762,\"rect\":[1510,95,107,600]},{\"cls_id\":0,\"cls\":\"liewen\",\"fScore\":0.617812,\"rect\":[2844,93,106,602]}]}";
|
||||||
//
|
//
|
||||||
Console.WriteLine("检测结果JSON:" + json);
|
Console.WriteLine("检测结果JSON:" + json);
|
||||||
|
|
||||||
SegResult detResult = JsonConvert.DeserializeObject<SegResult>(json);
|
SegResult detResult = JsonConvert.DeserializeObject<SegResult>(json);
|
||||||
if (detResult == null)
|
if (detResult == null)
|
||||||
{
|
{
|
||||||
@ -264,24 +262,20 @@ namespace DH.Devices.Vision
|
|||||||
// 释放 Mat 资源
|
// 释放 Mat 资源
|
||||||
if (detectMat != null)
|
if (detectMat != null)
|
||||||
{
|
{
|
||||||
|
detectMat.Dispose();
|
||||||
detectMat = null;
|
detectMat = null;
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
if (originMat != null)
|
if (originMat != null)
|
||||||
{
|
{
|
||||||
originMat.Dispose();
|
originMat.Dispose();
|
||||||
|
|
||||||
originMat = null;
|
originMat = null;
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// GC.Collect();
|
// GC.Collect();
|
||||||
}
|
}
|
||||||
#pragma warning restore CS0168 // 声明了变量,但从未使用过
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@ -1,9 +1,4 @@
|
|||||||
using DH.Commons.Base;
|
using OpenCvSharp;
|
||||||
using DH.Commons.Enums;
|
|
||||||
using DH.UI.Model.Winform;
|
|
||||||
using HalconDotNet;
|
|
||||||
using OpenCvSharp;
|
|
||||||
using OpenCvSharp.Extensions;
|
|
||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
using System.Diagnostics;
|
using System.Diagnostics;
|
||||||
@ -11,646 +6,13 @@ using System.Linq;
|
|||||||
using System.Runtime.ExceptionServices;
|
using System.Runtime.ExceptionServices;
|
||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
using System.Windows.Forms;
|
|
||||||
using System.Xml.Linq;
|
using System.Xml.Linq;
|
||||||
using XKRS.UI.Model.Winform;
|
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
using ResultState = DH.Commons.Base.ResultState;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.Devices.Vision
|
namespace DH.Devices.Vision
|
||||||
{
|
{
|
||||||
public class SimboVisionDriver : VisionEngineBase
|
public class SimboVisionDriver
|
||||||
{
|
|
||||||
public Dictionary<string, HDevEngineTool> HalconToolDict = new Dictionary<string, HDevEngineTool>();
|
|
||||||
|
|
||||||
public List<SimboStationMLEngineSet> SimboStationMLEngineList = new List<SimboStationMLEngineSet>();
|
|
||||||
|
|
||||||
public void Init()
|
|
||||||
{
|
|
||||||
//InitialQueue();
|
|
||||||
InitialHalconTools();
|
|
||||||
InitialSimboMLEnginesAsync();
|
|
||||||
|
|
||||||
// ImageSaveHelper.OnImageSaveExceptionRaised -= ImageSaveHelper_OnImageSaveExceptionRaised;
|
|
||||||
// ImageSaveHelper.OnImageSaveExceptionRaised += ImageSaveHelper_OnImageSaveExceptionRaised;
|
|
||||||
// base.Init();
|
|
||||||
}
|
|
||||||
|
|
||||||
//private void ImageSaveHelper_OnImageSaveExceptionRaised(DateTime dt, string msg)
|
|
||||||
//{
|
|
||||||
// LogAsync(new LogMsg(dt, LogLevel.Error, msg));
|
|
||||||
//}
|
|
||||||
public override DetectStationResult RunInference(Mat originImgSet, string detectionId = null)
|
|
||||||
{
|
|
||||||
DetectStationResult detectResult = new DetectStationResult();
|
|
||||||
DetectionConfig detectConfig = null;
|
|
||||||
//找到对应的配置
|
|
||||||
if (!string.IsNullOrWhiteSpace(detectionId))
|
|
||||||
{
|
|
||||||
detectConfig = DetectionConfigs.FirstOrDefault(u => u.Id == detectionId);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
//detectConfig = DetectionConfigs.FirstOrDefault(u => u.CameraSourceId == camera.CameraName);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (detectConfig == null)
|
|
||||||
{
|
|
||||||
|
|
||||||
//未能获得检测配置
|
|
||||||
return detectResult;
|
|
||||||
}
|
|
||||||
#region 1.预处理
|
|
||||||
|
|
||||||
using (Mat PreTMat = originImgSet.Clone())
|
|
||||||
{
|
|
||||||
PreTreated(detectConfig, detectResult, PreTMat);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
if (detectResult.IsPreTreatNG)
|
|
||||||
{
|
|
||||||
detectResult.ResultState = ResultState.DetectNG;
|
|
||||||
detectResult.IsPreTreatDone = true;
|
|
||||||
detectResult.IsMLDetectDone = false;
|
|
||||||
return detectResult;
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
if (!string.IsNullOrWhiteSpace(detectConfig.ModelPath) && detectConfig.IsEnabled)
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
SimboStationMLEngineSet mlSet = null;
|
|
||||||
mlSet = SimboStationMLEngineList.FirstOrDefault(t => t.DetectionId == detectConfig.Id);
|
|
||||||
if (mlSet == null)
|
|
||||||
{
|
|
||||||
// LogAsync(DateTime.Now, LogLevel.Exception, $"异常:{detectConfig.Name}未能获取对应配置的模型检测工具");
|
|
||||||
detectResult.IsMLDetectDone = false;
|
|
||||||
|
|
||||||
//HandleDetectDone(detectResult, detectConfig);
|
|
||||||
return detectResult;
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 2.深度学习推理
|
|
||||||
//LogAsync(DateTime.Now, LogLevel.Information, $"{detectConfig.Name} 产品{detectResult.TempPid} 模型检测执行");
|
|
||||||
|
|
||||||
if (!string.IsNullOrWhiteSpace(detectConfig.ModelPath))
|
|
||||||
{
|
|
||||||
Stopwatch mlWatch = new Stopwatch();
|
|
||||||
var req = new MLRequest();
|
|
||||||
//之前的检测图片都是相机存储成HImage
|
|
||||||
|
|
||||||
|
|
||||||
req.ResizeWidth = (int)detectConfig.ModelWidth;
|
|
||||||
req.ResizeHeight = (int)detectConfig.ModelHeight;
|
|
||||||
// req.LabelNames = detectConfig.GetLabelNames();
|
|
||||||
// req.Score = IIConfig.Score;
|
|
||||||
req.mImage = originImgSet.Clone();
|
|
||||||
|
|
||||||
req.in_lable_path = detectConfig.In_lable_path;
|
|
||||||
|
|
||||||
req.confThreshold = detectConfig.ModelconfThreshold;
|
|
||||||
req.iouThreshold = 0.3f;
|
|
||||||
req.segmentWidth = 320;
|
|
||||||
req.out_node_name = "output0";
|
|
||||||
switch (detectConfig.ModelType)
|
|
||||||
{
|
|
||||||
case ModelType.图像分类:
|
|
||||||
break;
|
|
||||||
case ModelType.目标检测:
|
|
||||||
|
|
||||||
break;
|
|
||||||
case ModelType.语义分割:
|
|
||||||
break;
|
|
||||||
case ModelType.实例分割:
|
|
||||||
break;
|
|
||||||
case ModelType.目标检测GPU:
|
|
||||||
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
// LogAsync(DateTime.Now, LogLevel.Information, $"{detectConfig.Name} 产品{detectResult.TempPid} RunInference BEGIN");
|
|
||||||
mlWatch.Start();
|
|
||||||
//20230802改成多线程推理 RunInferenceFixed
|
|
||||||
|
|
||||||
var result = mlSet.StationMLEngine.RunInference(req);
|
|
||||||
// var result = mlSet.StationMLEngine.RunInferenceFixed(req);
|
|
||||||
mlWatch.Stop();
|
|
||||||
// LogAsync(DateTime.Now, LogLevel.Information, $"{detectConfig.Name} 产品{detectResult.TempPid} RunInference END");
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// var req = new MLRequest();
|
|
||||||
|
|
||||||
//req.mImage = inferenceImage;
|
|
||||||
|
|
||||||
//req.ResizeWidth = detectConfig.ModelWidth;
|
|
||||||
//req.ResizeHeight = detectConfig.ModelHeight;
|
|
||||||
//req.confThreshold = detectConfig.ModelconfThreshold;
|
|
||||||
//req.iouThreshold = 0.3f;
|
|
||||||
//req.out_node_name = "output0";
|
|
||||||
//req.in_lable_path = detectConfig.in_lable_path;
|
|
||||||
|
|
||||||
//Stopwatch sw = Stopwatch.StartNew();
|
|
||||||
//var result = Dectection[detectionId].RunInference(req);
|
|
||||||
//sw.Stop();
|
|
||||||
//LogAsync(DateTime.Now, LogLevel.Information, $"{camera.Name} 推理进度1.1,产品{productNumber},耗时{sw.ElapsedMilliseconds}ms");
|
|
||||||
|
|
||||||
//this.BeginInvoke(new MethodInvoker(delegate ()
|
|
||||||
//{
|
|
||||||
// // pictureBox1.Image?.Dispose(); // 释放旧图像
|
|
||||||
// // pictureBox1.Image = result.ResultMap;
|
|
||||||
// richTextBox1.AppendText($"推理成功 {productNumber}, {result.IsSuccess}相机名字{camera.CameraName} 耗时 {mlWatch.ElapsedMilliseconds}ms\n");
|
|
||||||
//}));
|
|
||||||
//req.mImage?.Dispose();
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
if (result == null || (result != null && !result.IsSuccess))
|
|
||||||
{
|
|
||||||
detectResult.IsMLDetectDone = false;
|
|
||||||
}
|
|
||||||
if (result != null && result.IsSuccess)
|
|
||||||
{
|
|
||||||
detectResult.DetectDetails = result.ResultDetails;
|
|
||||||
if (detectResult.DetectDetails != null)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
detectResult.IsMLDetectDone = false;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
#region 3.后处理
|
|
||||||
#endregion
|
|
||||||
//根据那些得分大于阈值的推理结果,判断产品是否成功
|
|
||||||
#region 4.最终过滤(逻辑过滤)
|
|
||||||
detectResult.DetectDetails?.ForEach(d =>
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
// 当前检测项的 过滤条件
|
|
||||||
var conditionList = detectConfig.DetectionLableList
|
|
||||||
.Where(u=>u.LabelName == d.LabelName)
|
|
||||||
.GroupBy(u => u.ResultState)
|
|
||||||
.OrderBy(u => u.Key)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
|
|
||||||
if (conditionList.Count == 0)
|
|
||||||
{
|
|
||||||
|
|
||||||
d.FinalResult = d.LabelName.ToLower() == "ok"
|
|
||||||
? ResultState.OK
|
|
||||||
: ResultState.DetectNG;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
d.FinalResult = detectConfig.IsMixModel
|
|
||||||
? ResultState.A_NG
|
|
||||||
: ResultState.OK;
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
foreach (IGrouping<ResultState, DetectionFilter> group in conditionList)
|
|
||||||
{
|
|
||||||
bool b = group.ToList().Any(f =>
|
|
||||||
{
|
|
||||||
return f.FilterOperation(d);
|
|
||||||
});
|
|
||||||
|
|
||||||
|
|
||||||
if (b)
|
|
||||||
{
|
|
||||||
d.FinalResult = group.Key;
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
});
|
|
||||||
#endregion
|
|
||||||
#region 5.统计缺陷过滤结果或预处理直接NG
|
|
||||||
//if (detectResult.DetectDetails?.Count > 0)
|
|
||||||
//{
|
|
||||||
// detectResult.ResultState = detectResult.DetectDetails.GroupBy(u => u.FinalResult).OrderBy(u => u.Key).First().First().FinalResult;
|
|
||||||
// detectResult.ResultLabel = detectResult.ResultLabel;
|
|
||||||
// detectResult.ResultLabelCategoryId = detectResult.ResultLabel;//TODO:设置优先级
|
|
||||||
|
|
||||||
|
|
||||||
//}
|
|
||||||
detectResult.ResultState = detectResult.DetectDetails?
|
|
||||||
.GroupBy(u => u.FinalResult)
|
|
||||||
.OrderBy(u => u.Key)
|
|
||||||
.FirstOrDefault()?.Key ?? ResultState.OK;
|
|
||||||
detectResult.ResultLabel = detectResult.ResultLabel;
|
|
||||||
detectResult.ResultLabelCategoryId = detectResult.ResultLabel;//TODO:设置优先级
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
DisplayDetectionResult(detectResult, originImgSet.Clone(), detectionId);
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
return detectResult;
|
|
||||||
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 初始化深度学习工具
|
|
||||||
/// </summary>
|
|
||||||
private bool InitialSimboMLEnginesAsync()
|
|
||||||
{
|
|
||||||
//深度学习 模型加载
|
|
||||||
var resultOK = MLLoadModel();
|
|
||||||
return resultOK;
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 深度学习 模型加载
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
private bool MLLoadModel()
|
|
||||||
{
|
|
||||||
bool resultOK = false;
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// SimboStationMLEngineList = new List<SimboStationMLEngineSet>();
|
|
||||||
// _cameraRelatedDetectionDict = IConfig.DetectionConfigs.Select(t => t.ModelPath).Distinct().ToList();
|
|
||||||
DetectionConfigs.ForEach(dc =>
|
|
||||||
//_cameraRelatedDetectionDict.ForEach(dc =>
|
|
||||||
{
|
|
||||||
|
|
||||||
if (dc.IsEnabled && !string.IsNullOrWhiteSpace(dc.ModelPath))
|
|
||||||
{
|
|
||||||
if (dc.IsEnableGPU)
|
|
||||||
{
|
|
||||||
//if (IIConfig.IsLockGPU)
|
|
||||||
//{
|
|
||||||
//foreach (var validGPU in ValidGPUList2)
|
|
||||||
//{
|
|
||||||
// if (validGPU.DetectionIds.Contains(dc.Id))
|
|
||||||
// {
|
|
||||||
var engine = SingleMLLoadModel(dc, true, 0);
|
|
||||||
SimboStationMLEngineList.Add(engine);
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
//}
|
|
||||||
//else
|
|
||||||
//{
|
|
||||||
// foreach (var validGPU in ValidGPUList)
|
|
||||||
// {
|
|
||||||
// //var validGPU = ValidGPUList.FirstOrDefault(u => u.DetectionIds.Contains(dc.Id));
|
|
||||||
// if (validGPU.DetectionId == dc.Id)
|
|
||||||
// {
|
|
||||||
// var engine = SingleMLLoadModel(dc, true, validGPU.GPUNo);
|
|
||||||
// SimboStationMLEngineList.Add(engine);
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
//for (int i = 0; i < IConfig.CPUNums; i++)
|
|
||||||
for (int i = 0; i < 1; i++)
|
|
||||||
{
|
|
||||||
//var engine = SingleMLLoadModel(dc, false, i);
|
|
||||||
var engine = SingleMLLoadModel(dc, false, i);
|
|
||||||
SimboStationMLEngineList.Add(engine);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
});
|
|
||||||
resultOK = true;
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
// LogAsync(DateTime.Now, LogLevel.Exception, $"异常:模型并发加载异常:{ex.GetExceptionMessage()}");
|
|
||||||
resultOK = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
return resultOK;
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 单个模型加载
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="dc"></param>
|
|
||||||
/// <param name="gpuNum"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
private SimboStationMLEngineSet SingleMLLoadModel(DetectionConfig dc, bool isGPU, int coreInx)
|
|
||||||
{
|
|
||||||
SimboStationMLEngineSet mLEngineSet = new SimboStationMLEngineSet();
|
|
||||||
try
|
|
||||||
{
|
|
||||||
mLEngineSet.IsUseGPU = isGPU;
|
|
||||||
if (isGPU)
|
|
||||||
{
|
|
||||||
mLEngineSet.GPUNo = coreInx;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
mLEngineSet.CPUNo = coreInx;
|
|
||||||
}
|
|
||||||
mLEngineSet.DetectionId = dc.Id;
|
|
||||||
mLEngineSet.DetectionName = dc.Name;
|
|
||||||
|
|
||||||
if (!string.IsNullOrWhiteSpace(dc.ModelPath))
|
|
||||||
{
|
|
||||||
// 根据算法类型创建不同的实例
|
|
||||||
switch (dc.ModelType)
|
|
||||||
{
|
|
||||||
case ModelType.图像分类:
|
|
||||||
break;
|
|
||||||
case ModelType.目标检测:
|
|
||||||
mLEngineSet.StationMLEngine = new SimboObjectDetection();
|
|
||||||
break;
|
|
||||||
case ModelType.语义分割:
|
|
||||||
|
|
||||||
break;
|
|
||||||
case ModelType.实例分割:
|
|
||||||
mLEngineSet.StationMLEngine = new SimboInstanceSegmentation();
|
|
||||||
break;
|
|
||||||
case ModelType.目标检测GPU:
|
|
||||||
mLEngineSet.StationMLEngine = new SimboDetection();
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
MLInit mLInit;
|
|
||||||
string inferenceDevice = "CPU";
|
|
||||||
if (dc.IsEnableGPU)
|
|
||||||
{
|
|
||||||
inferenceDevice = "GPU";
|
|
||||||
mLInit = new MLInit(dc.ModelPath, isGPU, coreInx, dc.ModelconfThreshold);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
mLInit = new MLInit(dc.ModelPath, "images", inferenceDevice, (int)dc.ModelWidth, (int)dc.ModelHeight);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
bool isSuccess = mLEngineSet.StationMLEngine.Load(mLInit);
|
|
||||||
if (!isSuccess)
|
|
||||||
{
|
|
||||||
// throw new ProcessException("异常:模型加载异常", null);
|
|
||||||
}
|
|
||||||
//LogAsync(DateTime.Now, LogLevel.Information, $"模型加载成功;是否GPU:{isGPU} CoreInx:{coreInx} - {dc.Name}" + $" {dc.ModelType.GetEnumDescription()}:{dc.ModelPath}");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
//throw new ProcessException($"异常:是否GPU:{isGPU} CoreInx:{coreInx} - {dc.Name}模型加载异常:{ex.GetExceptionMessage()}");
|
|
||||||
}
|
|
||||||
return mLEngineSet;
|
|
||||||
}
|
|
||||||
private void InitialHalconTools()
|
|
||||||
{
|
|
||||||
HOperatorSet.SetSystem("parallelize_operators", "true");
|
|
||||||
HOperatorSet.SetSystem("reentrant", "true");
|
|
||||||
HOperatorSet.SetSystem("global_mem_cache", "exclusive");
|
|
||||||
|
|
||||||
HalconToolDict = new Dictionary<string, HDevEngineTool>();
|
|
||||||
|
|
||||||
DetectionConfigs.ForEach(c =>
|
|
||||||
{
|
|
||||||
if (!c.IsEnabled)
|
|
||||||
return;
|
|
||||||
|
|
||||||
if (c.HalconAlgorithemPath_Pre != null)
|
|
||||||
LoadHalconTool(c.HalconAlgorithemPath_Pre);
|
|
||||||
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
private void LoadHalconTool(string path)
|
|
||||||
{
|
|
||||||
if (!HalconToolDict.ContainsKey(path))
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
string algorithemPath = path;
|
|
||||||
|
|
||||||
if (string.IsNullOrWhiteSpace(algorithemPath))
|
|
||||||
return;
|
|
||||||
|
|
||||||
string directoryPath = Path.GetDirectoryName(algorithemPath);
|
|
||||||
string fileName = Path.GetFileNameWithoutExtension(algorithemPath);
|
|
||||||
|
|
||||||
HDevEngineTool tool = new HDevEngineTool(directoryPath);
|
|
||||||
tool.LoadProcedure(fileName);
|
|
||||||
|
|
||||||
HalconToolDict[path] = tool;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 预处理
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="detectConfig"></param>
|
|
||||||
/// <param name="detectResult"></param>
|
|
||||||
public void PreTreated(DetectionConfig detectConfig, DetectStationResult detectResult, Mat MhImage)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
// detectResult.VisionImageSet.DetectionOriginImage = detectResult.VisionImageSet.HImage.ConvertHImageToBitmap();
|
|
||||||
//detectResult.VisionImageSet.PreTreatedBitmap = detectResult.VisionImageSet.HImage.ConvertHImageToBitmap();
|
|
||||||
//detectResult.VisionImageSet.DetectionResultImage = detectResult.VisionImageSet.PreTreatedBitmap?.CopyBitmap();
|
|
||||||
if (!string.IsNullOrWhiteSpace(detectConfig.HalconAlgorithemPath_Pre))
|
|
||||||
{
|
|
||||||
HObject obj = OpenCVHelper.MatToHImage(MhImage);
|
|
||||||
HImage hImage = HalconHelper.ConvertHObjectToHImage(obj);
|
|
||||||
string toolKey = detectConfig.HalconAlgorithemPath_Pre;
|
|
||||||
if (!HalconToolDict.ContainsKey(toolKey))
|
|
||||||
{
|
|
||||||
// LogAsync(DateTime.Now, LogLevel.Exception, $"{detectConfig.Name}未获取预处理算法");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
//Mean_Thre Deviation_Thre Mean_standard Deviation_standard
|
|
||||||
var tool = HalconToolDict[toolKey];
|
|
||||||
|
|
||||||
////tool.InputTupleDic["Mean_Thre"] = 123;
|
|
||||||
for (int i = 0; i < detectConfig.PreTreatParams.Count; i++)
|
|
||||||
{
|
|
||||||
var param = detectConfig.PreTreatParams[i];
|
|
||||||
tool.InputTupleDic[param.Name] = double.Parse(param.Value);
|
|
||||||
}
|
|
||||||
|
|
||||||
// tool.InputTupleDic["fCricularity"] = 200;
|
|
||||||
|
|
||||||
tool.InputImageDic["INPUT_Image"] = hImage;
|
|
||||||
|
|
||||||
|
|
||||||
if (!tool.RunProcedure(out string errorMsg, out _))
|
|
||||||
{
|
|
||||||
// detectResult.PreTreatedFlag = false;
|
|
||||||
|
|
||||||
detectResult.IsPreTreatDone = false;
|
|
||||||
|
|
||||||
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var preTreatRet = tool.GetResultTuple("OUTPUT_Flag").I;
|
|
||||||
|
|
||||||
//var fRCricularity = tool.GetResultTuple("fRCricularity");
|
|
||||||
|
|
||||||
|
|
||||||
// detectResult.IsPreTreatDone = detectResult.VisionImageSet.PreTreatedFlag = preTreatRet == 1;
|
|
||||||
//detectResult.IsPreTreatDone = detectResult.VisionImageSet.PreTreatedFlag = true;
|
|
||||||
// detectResult.VisionImageSet.PreTreatedTime = DateTime.Now;
|
|
||||||
|
|
||||||
for (int i = 0; i < detectConfig.OUTPreTreatParams.Count; i++)
|
|
||||||
{
|
|
||||||
var param = detectConfig.OUTPreTreatParams[i];
|
|
||||||
tool.InputTupleDic[param.Name] = double.Parse(param.Value);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// 2023/10/16 新增预处理结果反馈,如果预处理结果为NG,直接返回
|
|
||||||
if (preTreatRet != 0)
|
|
||||||
{
|
|
||||||
detectResult.ResultState = ResultState.DetectNG;
|
|
||||||
|
|
||||||
detectResult.IsPreTreatNG = true;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
// if (detectResult.VisionImageSet.PreTreatedFlag)
|
|
||||||
{
|
|
||||||
//detectResult.VisionImageSet.MLImage = tool.GetResultObject("OUTPUT_PreTreatedImage");
|
|
||||||
//DetectionResultImage
|
|
||||||
// detectResult.VisionImageSet.DetectionResultImage = detectResult.VisionImageSet.MLImage.ConvertHImageToBitmap();
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
// detectResult.VisionImageSet.DetectionResultImage = detectResult.VisionImageSet.MLImage.ConvertHImageToBitmap();
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
finally
|
|
||||||
{
|
|
||||||
//detectResult.VisionImageSet.HImage?.Dispose();
|
|
||||||
//detectResult.VisionImageSet.HImage = null;
|
|
||||||
// MhImage?.Dispose();
|
|
||||||
//MhImage = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 显示检测结果
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="detectResult"></param>
|
|
||||||
private void DisplayDetectionResult(DetectStationResult detectResult,Mat result,string DetectionId)
|
|
||||||
{
|
|
||||||
//结果显示上传
|
|
||||||
Task.Run(() =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
|
|
||||||
|
|
||||||
string displayTxt = detectResult.ResultState.ToString() + "\r\n";
|
|
||||||
if (detectResult.DetectDetails != null && detectResult.DetectDetails?.Count > 0)
|
|
||||||
{
|
|
||||||
detectResult.DetectDetails.ForEach(d =>
|
|
||||||
{
|
|
||||||
displayTxt +=
|
|
||||||
$"{d.LabelName} score:{d.Score.ToString("f2")} area:{d.Area.ToString("f2")}\r\n";
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
//if (detectResult.realSpecs != null && detectResult.realSpecs?.Count > 0)
|
|
||||||
//{
|
|
||||||
// detectResult.realSpecs.ForEach(d =>
|
|
||||||
// {
|
|
||||||
// displayTxt +=
|
|
||||||
// $"{d.Code} :{d.ActualValue} \r\n";
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
Bitmap resultMask=result.ToBitmap();
|
|
||||||
//if (detectResult.VisionImageSet.DetectionResultImage == null && detectResult.VisionImageSet.SizeResultImage == null)
|
|
||||||
//{
|
|
||||||
// return;
|
|
||||||
//}
|
|
||||||
//else if (detectResult.VisionImageSet.DetectionResultImage == null && detectResult.VisionImageSet.SizeResultImage != null)
|
|
||||||
//{
|
|
||||||
// detectResult.VisionImageSet.DetectionResultImage = detectResult.VisionImageSet.SizeResultImage.CopyBitmap();
|
|
||||||
// resultMask = detectResult.VisionImageSet.DetectionResultImage.CopyBitmap();
|
|
||||||
//}
|
|
||||||
//else if (detectResult.VisionImageSet.DetectionResultImage != null && detectResult.VisionImageSet.SizeResultImage != null)
|
|
||||||
//{
|
|
||||||
// Mat img1 = ConvertBitmapToMat(detectResult.VisionImageSet.SizeResultImage.CopyBitmap()); // 第一张图片,已经带框
|
|
||||||
// Mat img2 = ConvertBitmapToMat(detectResult.VisionImageSet.DetectionResultImage.CopyBitmap()); // 第二张图片,已经带框
|
|
||||||
|
|
||||||
// // 合成两张图像:可以选择叠加或拼接
|
|
||||||
// Mat resultImg = new Mat();
|
|
||||||
// Cv2.AddWeighted(img1, 0.5, img2, 0.5, 0, resultImg); // 使用加权平均法合成图像
|
|
||||||
|
|
||||||
// resultMask = resultImg.ToBitmap();
|
|
||||||
//}
|
|
||||||
//else
|
|
||||||
//{
|
|
||||||
// resultMask = detectResult.VisionImageSet.DetectionResultImage.CopyBitmap();
|
|
||||||
//}
|
|
||||||
|
|
||||||
List<IShapeElement> detectionResultShapes =
|
|
||||||
new List<IShapeElement>(detectResult.DetectionResultShapes);
|
|
||||||
|
|
||||||
DetectResultDisplay resultDisplay = new DetectResultDisplay(detectResult, resultMask, displayTxt);
|
|
||||||
detectionResultShapes.Add(resultDisplay);
|
|
||||||
List<IShapeElement> detectionResultShapesClone = new List<IShapeElement>(detectionResultShapes);
|
|
||||||
|
|
||||||
DetectionDone(DetectionId, resultMask, detectionResultShapes);
|
|
||||||
|
|
||||||
//SaveDetectResultImageAsync(detectResult);
|
|
||||||
// SaveDetectResultCSVAsync(detectResult);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
// LogAsync(DateTime.Now, LogLevel.Exception,
|
|
||||||
// $"{Name}显示{detectResult.DetectName}检测结果异常,{ex.GetExceptionMessage()}");
|
|
||||||
}
|
|
||||||
finally
|
|
||||||
{
|
{
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -1,6 +1,5 @@
|
|||||||
using AntdUI;
|
using AntdUI;
|
||||||
using DH.Commons.Base;
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
using OpenCvSharp;
|
using OpenCvSharp;
|
||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
@ -17,7 +16,7 @@ namespace DH.Devices.Vision
|
|||||||
public Mat ColorLut { get; set; }
|
public Mat ColorLut { get; set; }
|
||||||
public byte[] ColorMap { get; set; }
|
public byte[] ColorMap { get; set; }
|
||||||
|
|
||||||
public ModelType ModelType { get; set; }
|
public MLModelType ModelType { get; set; }
|
||||||
|
|
||||||
public IntPtr Model { get; set; }
|
public IntPtr Model { get; set; }
|
||||||
|
|
||||||
@ -45,7 +44,7 @@ namespace DH.Devices.Vision
|
|||||||
}
|
}
|
||||||
public SimboVisionMLBase()
|
public SimboVisionMLBase()
|
||||||
{
|
{
|
||||||
ColorMap = OpenCVHelper.GetColorMap(256);//使用3个通道
|
// ColorMap = OpenCVHelper.GetColorMap(256);//使用3个通道
|
||||||
// ColorLut = new Mat(1, 256, MatType.CV_8UC3, ColorMap);
|
// ColorLut = new Mat(1, 256, MatType.CV_8UC3, ColorMap);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -59,47 +58,35 @@ namespace DH.Devices.Vision
|
|||||||
// "rect": [421, 823, 6, 8]
|
// "rect": [421, 823, 6, 8]
|
||||||
// }]
|
// }]
|
||||||
//}
|
//}
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public List<Result> HYolo;
|
public List<Result> HYolo;
|
||||||
|
|
||||||
public class Result
|
public class Result
|
||||||
{
|
{
|
||||||
|
|
||||||
public double fScore;
|
public double fScore;
|
||||||
public int classId;
|
public int classId;
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string classname;
|
public string classname;
|
||||||
|
|
||||||
|
|
||||||
//public double area;
|
//public double area;
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public List<int> rect;
|
public List<int> rect;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
public class SegResult
|
public class SegResult
|
||||||
{
|
{
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public List<Result> SegmentResult;
|
public List<Result> SegmentResult;
|
||||||
|
|
||||||
public class Result
|
public class Result
|
||||||
{
|
{
|
||||||
|
|
||||||
public double fScore;
|
public double fScore;
|
||||||
public int classId;
|
public int classId;
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string classname;
|
public string classname;
|
||||||
|
|
||||||
|
|
||||||
public double area;
|
public double area;
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public List<int> rect;
|
public List<int> rect;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
@ -22,20 +22,14 @@ namespace DH.Devices.Vision
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 检测配置ID
|
/// 检测配置ID
|
||||||
/// </summary>
|
/// </summary>
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string DetectionId { get; set; }
|
public string DetectionId { get; set; }
|
||||||
|
|
||||||
|
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public string DetectionName { get; set; }
|
public string DetectionName { get; set; }
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 深度学习模型
|
/// 深度学习模型
|
||||||
/// </summary>
|
/// </summary>
|
||||||
#pragma warning disable CS8618 // 在退出构造函数时,不可为 null 的字段必须包含非 null 值。请考虑声明为可以为 null。
|
|
||||||
public SimboVisionMLBase StationMLEngine { get; set; }
|
public SimboVisionMLBase StationMLEngine { get; set; }
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
599
DH.UI.Model.Winform/Canvas.Designer.cs
generated
599
DH.UI.Model.Winform/Canvas.Designer.cs
generated
@ -1,599 +0,0 @@
|
|||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
partial class Canvas
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
this.components = new System.ComponentModel.Container();
|
|
||||||
System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(Canvas));
|
|
||||||
this.ctmsElements = new System.Windows.Forms.ContextMenuStrip(this.components);
|
|
||||||
this.tsmiResort = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.tsmiInitialState = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.tsmiClearStandardValue = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.tsmiClearActualValue = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.ctmsKeepElements = new System.Windows.Forms.ContextMenuStrip(this.components);
|
|
||||||
this.tsmiUnselectElements = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.tsmiKeepSelected = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.tsmiKeepUnselected = new System.Windows.Forms.ToolStripMenuItem();
|
|
||||||
this.BottomToolStripPanel = new System.Windows.Forms.ToolStripPanel();
|
|
||||||
this.TopToolStripPanel = new System.Windows.Forms.ToolStripPanel();
|
|
||||||
this.RightToolStripPanel = new System.Windows.Forms.ToolStripPanel();
|
|
||||||
this.LeftToolStripPanel = new System.Windows.Forms.ToolStripPanel();
|
|
||||||
this.ContentPanel = new System.Windows.Forms.ToolStripContentPanel();
|
|
||||||
this.scMain = new System.Windows.Forms.SplitContainer();
|
|
||||||
this.tsROIs = new System.Windows.Forms.ToolStrip();
|
|
||||||
this.tsTool = new System.Windows.Forms.ToolStrip();
|
|
||||||
this.tsBtnLoadImage = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.tsBtnSaveImage = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.tsBtnSaveImageWithElements = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.toolStripSeparator4 = new System.Windows.Forms.ToolStripSeparator();
|
|
||||||
this.tsBtnMapSize = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.tsBtnScreenSize = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.toolStripSeparator1 = new System.Windows.Forms.ToolStripSeparator();
|
|
||||||
this.tsBtnModeNormal = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.tsBtnModeSelection = new System.Windows.Forms.ToolStripButton();
|
|
||||||
this.toolStripSeparator2 = new System.Windows.Forms.ToolStripSeparator();
|
|
||||||
this.splitContainer1 = new System.Windows.Forms.SplitContainer();
|
|
||||||
this.chkShowChecked = new System.Windows.Forms.CheckBox();
|
|
||||||
this.dgElements = new System.Windows.Forms.DataGridView();
|
|
||||||
this.colEnableState = new System.Windows.Forms.DataGridViewCheckBoxColumn();
|
|
||||||
this.colId = new System.Windows.Forms.DataGridViewTextBoxColumn();
|
|
||||||
this.colIndex = new System.Windows.Forms.DataGridViewTextBoxColumn();
|
|
||||||
this.colName = new System.Windows.Forms.DataGridViewTextBoxColumn();
|
|
||||||
this.propGridElement = new System.Windows.Forms.PropertyGrid();
|
|
||||||
this.miniToolStrip = new System.Windows.Forms.ToolStrip();
|
|
||||||
this.stsStatus = new System.Windows.Forms.StatusStrip();
|
|
||||||
this.tsslLocation = new System.Windows.Forms.ToolStripStatusLabel();
|
|
||||||
this.tsslMouseState = new System.Windows.Forms.ToolStripStatusLabel();
|
|
||||||
this.dataGridViewCheckBoxColumn1 = new System.Windows.Forms.DataGridViewCheckBoxColumn();
|
|
||||||
this.dataGridViewTextBoxColumn1 = new System.Windows.Forms.DataGridViewTextBoxColumn();
|
|
||||||
this.dataGridViewTextBoxColumn2 = new System.Windows.Forms.DataGridViewTextBoxColumn();
|
|
||||||
this.dataGridViewTextBoxColumn3 = new System.Windows.Forms.DataGridViewTextBoxColumn();
|
|
||||||
this.ctmsElements.SuspendLayout();
|
|
||||||
this.ctmsKeepElements.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.scMain)).BeginInit();
|
|
||||||
this.scMain.Panel1.SuspendLayout();
|
|
||||||
this.scMain.Panel2.SuspendLayout();
|
|
||||||
this.scMain.SuspendLayout();
|
|
||||||
this.tsTool.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.splitContainer1)).BeginInit();
|
|
||||||
this.splitContainer1.Panel1.SuspendLayout();
|
|
||||||
this.splitContainer1.Panel2.SuspendLayout();
|
|
||||||
this.splitContainer1.SuspendLayout();
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.dgElements)).BeginInit();
|
|
||||||
this.stsStatus.SuspendLayout();
|
|
||||||
this.SuspendLayout();
|
|
||||||
//
|
|
||||||
// ctmsElements
|
|
||||||
//
|
|
||||||
this.ctmsElements.Items.AddRange(new System.Windows.Forms.ToolStripItem[] {
|
|
||||||
this.tsmiResort,
|
|
||||||
this.tsmiInitialState,
|
|
||||||
this.tsmiClearStandardValue,
|
|
||||||
this.tsmiClearActualValue});
|
|
||||||
this.ctmsElements.Name = "ctmsElements";
|
|
||||||
this.ctmsElements.Size = new System.Drawing.Size(137, 92);
|
|
||||||
//
|
|
||||||
// tsmiResort
|
|
||||||
//
|
|
||||||
this.tsmiResort.Name = "tsmiResort";
|
|
||||||
this.tsmiResort.Size = new System.Drawing.Size(136, 22);
|
|
||||||
this.tsmiResort.Text = "重新排序";
|
|
||||||
this.tsmiResort.Click += new System.EventHandler(this.tsmiResort_Click);
|
|
||||||
//
|
|
||||||
// tsmiInitialState
|
|
||||||
//
|
|
||||||
this.tsmiInitialState.Name = "tsmiInitialState";
|
|
||||||
this.tsmiInitialState.Size = new System.Drawing.Size(136, 22);
|
|
||||||
this.tsmiInitialState.Text = "初始化";
|
|
||||||
this.tsmiInitialState.Click += new System.EventHandler(this.tsmiInitialState_Click);
|
|
||||||
//
|
|
||||||
// tsmiClearStandardValue
|
|
||||||
//
|
|
||||||
this.tsmiClearStandardValue.Name = "tsmiClearStandardValue";
|
|
||||||
this.tsmiClearStandardValue.Size = new System.Drawing.Size(136, 22);
|
|
||||||
this.tsmiClearStandardValue.Text = "清空标准值";
|
|
||||||
this.tsmiClearStandardValue.Click += new System.EventHandler(this.tsmiClearStandardValue_Click);
|
|
||||||
//
|
|
||||||
// tsmiClearActualValue
|
|
||||||
//
|
|
||||||
this.tsmiClearActualValue.Name = "tsmiClearActualValue";
|
|
||||||
this.tsmiClearActualValue.Size = new System.Drawing.Size(136, 22);
|
|
||||||
this.tsmiClearActualValue.Text = "清空测量值";
|
|
||||||
this.tsmiClearActualValue.Click += new System.EventHandler(this.tsmiClearActualValue_Click);
|
|
||||||
//
|
|
||||||
// ctmsKeepElements
|
|
||||||
//
|
|
||||||
this.ctmsKeepElements.Items.AddRange(new System.Windows.Forms.ToolStripItem[] {
|
|
||||||
this.tsmiUnselectElements,
|
|
||||||
this.tsmiKeepSelected,
|
|
||||||
this.tsmiKeepUnselected});
|
|
||||||
this.ctmsKeepElements.Name = "ctmsKeepElements";
|
|
||||||
this.ctmsKeepElements.Size = new System.Drawing.Size(173, 70);
|
|
||||||
//
|
|
||||||
// tsmiUnselectElements
|
|
||||||
//
|
|
||||||
this.tsmiUnselectElements.Name = "tsmiUnselectElements";
|
|
||||||
this.tsmiUnselectElements.Size = new System.Drawing.Size(172, 22);
|
|
||||||
this.tsmiUnselectElements.Text = "取消全部基元选择";
|
|
||||||
this.tsmiUnselectElements.Click += new System.EventHandler(this.tsmiUnselectElements_Click);
|
|
||||||
//
|
|
||||||
// tsmiKeepSelected
|
|
||||||
//
|
|
||||||
this.tsmiKeepSelected.Name = "tsmiKeepSelected";
|
|
||||||
this.tsmiKeepSelected.Size = new System.Drawing.Size(172, 22);
|
|
||||||
this.tsmiKeepSelected.Text = "保留选中的基元";
|
|
||||||
this.tsmiKeepSelected.Click += new System.EventHandler(this.tsmiKeepSelected_Click);
|
|
||||||
//
|
|
||||||
// tsmiKeepUnselected
|
|
||||||
//
|
|
||||||
this.tsmiKeepUnselected.Name = "tsmiKeepUnselected";
|
|
||||||
this.tsmiKeepUnselected.Size = new System.Drawing.Size(172, 22);
|
|
||||||
this.tsmiKeepUnselected.Text = "保留未选中的基元";
|
|
||||||
this.tsmiKeepUnselected.Click += new System.EventHandler(this.tsmiKeepUnselected_Click);
|
|
||||||
//
|
|
||||||
// BottomToolStripPanel
|
|
||||||
//
|
|
||||||
this.BottomToolStripPanel.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.BottomToolStripPanel.Name = "BottomToolStripPanel";
|
|
||||||
this.BottomToolStripPanel.Orientation = System.Windows.Forms.Orientation.Horizontal;
|
|
||||||
this.BottomToolStripPanel.RowMargin = new System.Windows.Forms.Padding(3, 0, 0, 0);
|
|
||||||
this.BottomToolStripPanel.Size = new System.Drawing.Size(0, 0);
|
|
||||||
//
|
|
||||||
// TopToolStripPanel
|
|
||||||
//
|
|
||||||
this.TopToolStripPanel.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.TopToolStripPanel.Name = "TopToolStripPanel";
|
|
||||||
this.TopToolStripPanel.Orientation = System.Windows.Forms.Orientation.Horizontal;
|
|
||||||
this.TopToolStripPanel.RowMargin = new System.Windows.Forms.Padding(3, 0, 0, 0);
|
|
||||||
this.TopToolStripPanel.Size = new System.Drawing.Size(0, 0);
|
|
||||||
//
|
|
||||||
// RightToolStripPanel
|
|
||||||
//
|
|
||||||
this.RightToolStripPanel.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.RightToolStripPanel.Name = "RightToolStripPanel";
|
|
||||||
this.RightToolStripPanel.Orientation = System.Windows.Forms.Orientation.Horizontal;
|
|
||||||
this.RightToolStripPanel.RowMargin = new System.Windows.Forms.Padding(3, 0, 0, 0);
|
|
||||||
this.RightToolStripPanel.Size = new System.Drawing.Size(0, 0);
|
|
||||||
//
|
|
||||||
// LeftToolStripPanel
|
|
||||||
//
|
|
||||||
this.LeftToolStripPanel.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.LeftToolStripPanel.Name = "LeftToolStripPanel";
|
|
||||||
this.LeftToolStripPanel.Orientation = System.Windows.Forms.Orientation.Horizontal;
|
|
||||||
this.LeftToolStripPanel.RowMargin = new System.Windows.Forms.Padding(3, 0, 0, 0);
|
|
||||||
this.LeftToolStripPanel.Size = new System.Drawing.Size(0, 0);
|
|
||||||
//
|
|
||||||
// ContentPanel
|
|
||||||
//
|
|
||||||
this.ContentPanel.Size = new System.Drawing.Size(610, 417);
|
|
||||||
//
|
|
||||||
// scMain
|
|
||||||
//
|
|
||||||
this.scMain.Dock = System.Windows.Forms.DockStyle.Fill;
|
|
||||||
this.scMain.FixedPanel = System.Windows.Forms.FixedPanel.Panel2;
|
|
||||||
this.scMain.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.scMain.Name = "scMain";
|
|
||||||
//
|
|
||||||
// scMain.Panel1
|
|
||||||
//
|
|
||||||
this.scMain.Panel1.Controls.Add(this.tsROIs);
|
|
||||||
this.scMain.Panel1.Controls.Add(this.tsTool);
|
|
||||||
//
|
|
||||||
// scMain.Panel2
|
|
||||||
//
|
|
||||||
this.scMain.Panel2.Controls.Add(this.splitContainer1);
|
|
||||||
this.scMain.Size = new System.Drawing.Size(635, 467);
|
|
||||||
this.scMain.SplitterDistance = 399;
|
|
||||||
this.scMain.TabIndex = 4;
|
|
||||||
//
|
|
||||||
// tsROIs
|
|
||||||
//
|
|
||||||
this.tsROIs.Location = new System.Drawing.Point(29, 0);
|
|
||||||
this.tsROIs.Name = "tsROIs";
|
|
||||||
this.tsROIs.Size = new System.Drawing.Size(370, 25);
|
|
||||||
this.tsROIs.TabIndex = 2;
|
|
||||||
this.tsROIs.Text = "toolStrip1";
|
|
||||||
this.tsROIs.Visible = false;
|
|
||||||
//
|
|
||||||
// tsTool
|
|
||||||
//
|
|
||||||
this.tsTool.Dock = System.Windows.Forms.DockStyle.Left;
|
|
||||||
this.tsTool.GripStyle = System.Windows.Forms.ToolStripGripStyle.Hidden;
|
|
||||||
this.tsTool.ImageScalingSize = new System.Drawing.Size(24, 24);
|
|
||||||
this.tsTool.Items.AddRange(new System.Windows.Forms.ToolStripItem[] {
|
|
||||||
this.tsBtnLoadImage,
|
|
||||||
this.tsBtnSaveImage,
|
|
||||||
this.tsBtnSaveImageWithElements,
|
|
||||||
this.toolStripSeparator4,
|
|
||||||
this.tsBtnMapSize,
|
|
||||||
this.tsBtnScreenSize,
|
|
||||||
this.toolStripSeparator1,
|
|
||||||
this.tsBtnModeNormal,
|
|
||||||
this.tsBtnModeSelection,
|
|
||||||
this.toolStripSeparator2});
|
|
||||||
this.tsTool.LayoutStyle = System.Windows.Forms.ToolStripLayoutStyle.VerticalStackWithOverflow;
|
|
||||||
this.tsTool.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.tsTool.Margin = new System.Windows.Forms.Padding(10, 0, 0, 0);
|
|
||||||
this.tsTool.Name = "tsTool";
|
|
||||||
this.tsTool.Size = new System.Drawing.Size(29, 467);
|
|
||||||
this.tsTool.TabIndex = 1;
|
|
||||||
this.tsTool.Text = "toolStrip1";
|
|
||||||
//
|
|
||||||
// tsBtnLoadImage
|
|
||||||
//
|
|
||||||
this.tsBtnLoadImage.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnLoadImage.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnLoadImage.Image")));
|
|
||||||
this.tsBtnLoadImage.ImageTransparentColor = System.Drawing.Color.Magenta;
|
|
||||||
this.tsBtnLoadImage.Name = "tsBtnLoadImage";
|
|
||||||
this.tsBtnLoadImage.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnLoadImage.Text = "LoadImage";
|
|
||||||
this.tsBtnLoadImage.ToolTipText = "Load Image";
|
|
||||||
this.tsBtnLoadImage.Click += new System.EventHandler(this.tsBtnLoadImage_Click);
|
|
||||||
//
|
|
||||||
// tsBtnSaveImage
|
|
||||||
//
|
|
||||||
this.tsBtnSaveImage.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnSaveImage.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnSaveImage.Image")));
|
|
||||||
this.tsBtnSaveImage.ImageTransparentColor = System.Drawing.Color.Magenta;
|
|
||||||
this.tsBtnSaveImage.Name = "tsBtnSaveImage";
|
|
||||||
this.tsBtnSaveImage.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnSaveImage.Text = "SaveImage";
|
|
||||||
this.tsBtnSaveImage.Click += new System.EventHandler(this.tsBtnSaveImage_Click);
|
|
||||||
//
|
|
||||||
// tsBtnSaveImageWithElements
|
|
||||||
//
|
|
||||||
this.tsBtnSaveImageWithElements.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnSaveImageWithElements.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnSaveImageWithElements.Image")));
|
|
||||||
this.tsBtnSaveImageWithElements.ImageTransparentColor = System.Drawing.Color.Magenta;
|
|
||||||
this.tsBtnSaveImageWithElements.Name = "tsBtnSaveImageWithElements";
|
|
||||||
this.tsBtnSaveImageWithElements.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnSaveImageWithElements.Text = "SaveImageWithElements";
|
|
||||||
this.tsBtnSaveImageWithElements.Click += new System.EventHandler(this.tsBtnSaveImageWithElements_Click);
|
|
||||||
//
|
|
||||||
// toolStripSeparator4
|
|
||||||
//
|
|
||||||
this.toolStripSeparator4.Name = "toolStripSeparator4";
|
|
||||||
this.toolStripSeparator4.Size = new System.Drawing.Size(26, 6);
|
|
||||||
//
|
|
||||||
// tsBtnMapSize
|
|
||||||
//
|
|
||||||
this.tsBtnMapSize.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnMapSize.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnMapSize.Image")));
|
|
||||||
this.tsBtnMapSize.ImageTransparentColor = System.Drawing.Color.Magenta;
|
|
||||||
this.tsBtnMapSize.Name = "tsBtnMapSize";
|
|
||||||
this.tsBtnMapSize.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnMapSize.Text = "Original";
|
|
||||||
this.tsBtnMapSize.ToolTipText = "Map Size";
|
|
||||||
this.tsBtnMapSize.Click += new System.EventHandler(this.tsBtnMapSize_Click);
|
|
||||||
//
|
|
||||||
// tsBtnScreenSize
|
|
||||||
//
|
|
||||||
this.tsBtnScreenSize.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnScreenSize.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnScreenSize.Image")));
|
|
||||||
this.tsBtnScreenSize.ImageTransparentColor = System.Drawing.Color.Magenta;
|
|
||||||
this.tsBtnScreenSize.Name = "tsBtnScreenSize";
|
|
||||||
this.tsBtnScreenSize.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnScreenSize.Text = "toolStripButton2";
|
|
||||||
this.tsBtnScreenSize.ToolTipText = "Screen Size";
|
|
||||||
this.tsBtnScreenSize.Click += new System.EventHandler(this.tsBtnScreenSize_Click);
|
|
||||||
//
|
|
||||||
// toolStripSeparator1
|
|
||||||
//
|
|
||||||
this.toolStripSeparator1.Name = "toolStripSeparator1";
|
|
||||||
this.toolStripSeparator1.Size = new System.Drawing.Size(26, 6);
|
|
||||||
//
|
|
||||||
// tsBtnModeNormal
|
|
||||||
//
|
|
||||||
this.tsBtnModeNormal.CheckOnClick = true;
|
|
||||||
this.tsBtnModeNormal.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnModeNormal.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnModeNormal.Image")));
|
|
||||||
this.tsBtnModeNormal.ImageTransparentColor = System.Drawing.SystemColors.Control;
|
|
||||||
this.tsBtnModeNormal.Name = "tsBtnModeNormal";
|
|
||||||
this.tsBtnModeNormal.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnModeNormal.Text = "Normal Mode";
|
|
||||||
this.tsBtnModeNormal.ToolTipText = "Normal Mode";
|
|
||||||
this.tsBtnModeNormal.CheckedChanged += new System.EventHandler(this.tsBtnModeNormal_CheckedChanged);
|
|
||||||
//
|
|
||||||
// tsBtnModeSelection
|
|
||||||
//
|
|
||||||
this.tsBtnModeSelection.CheckOnClick = true;
|
|
||||||
this.tsBtnModeSelection.DisplayStyle = System.Windows.Forms.ToolStripItemDisplayStyle.Image;
|
|
||||||
this.tsBtnModeSelection.Image = ((System.Drawing.Image)(resources.GetObject("tsBtnModeSelection.Image")));
|
|
||||||
this.tsBtnModeSelection.ImageTransparentColor = System.Drawing.Color.Magenta;
|
|
||||||
this.tsBtnModeSelection.Name = "tsBtnModeSelection";
|
|
||||||
this.tsBtnModeSelection.Size = new System.Drawing.Size(26, 28);
|
|
||||||
this.tsBtnModeSelection.Text = "Selection Mode";
|
|
||||||
this.tsBtnModeSelection.CheckedChanged += new System.EventHandler(this.tsBtnModeNormal_CheckedChanged);
|
|
||||||
//
|
|
||||||
// toolStripSeparator2
|
|
||||||
//
|
|
||||||
this.toolStripSeparator2.Name = "toolStripSeparator2";
|
|
||||||
this.toolStripSeparator2.Size = new System.Drawing.Size(26, 6);
|
|
||||||
//
|
|
||||||
// splitContainer1
|
|
||||||
//
|
|
||||||
this.splitContainer1.Dock = System.Windows.Forms.DockStyle.Fill;
|
|
||||||
this.splitContainer1.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.splitContainer1.Name = "splitContainer1";
|
|
||||||
this.splitContainer1.Orientation = System.Windows.Forms.Orientation.Horizontal;
|
|
||||||
//
|
|
||||||
// splitContainer1.Panel1
|
|
||||||
//
|
|
||||||
this.splitContainer1.Panel1.Controls.Add(this.chkShowChecked);
|
|
||||||
this.splitContainer1.Panel1.Controls.Add(this.dgElements);
|
|
||||||
//
|
|
||||||
// splitContainer1.Panel2
|
|
||||||
//
|
|
||||||
this.splitContainer1.Panel2.Controls.Add(this.propGridElement);
|
|
||||||
this.splitContainer1.Size = new System.Drawing.Size(232, 467);
|
|
||||||
this.splitContainer1.SplitterDistance = 215;
|
|
||||||
this.splitContainer1.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// chkShowChecked
|
|
||||||
//
|
|
||||||
this.chkShowChecked.AutoSize = true;
|
|
||||||
this.chkShowChecked.Location = new System.Drawing.Point(14, 8);
|
|
||||||
this.chkShowChecked.Name = "chkShowChecked";
|
|
||||||
this.chkShowChecked.Size = new System.Drawing.Size(110, 17);
|
|
||||||
this.chkShowChecked.TabIndex = 1;
|
|
||||||
this.chkShowChecked.Text = "仅显示选中项目";
|
|
||||||
this.chkShowChecked.UseVisualStyleBackColor = true;
|
|
||||||
this.chkShowChecked.CheckedChanged += new System.EventHandler(this.chkShowChecked_CheckedChanged);
|
|
||||||
//
|
|
||||||
// dgElements
|
|
||||||
//
|
|
||||||
this.dgElements.AllowUserToAddRows = false;
|
|
||||||
this.dgElements.AllowUserToDeleteRows = false;
|
|
||||||
this.dgElements.Anchor = ((System.Windows.Forms.AnchorStyles)((((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Bottom)
|
|
||||||
| System.Windows.Forms.AnchorStyles.Left)
|
|
||||||
| System.Windows.Forms.AnchorStyles.Right)));
|
|
||||||
this.dgElements.BackgroundColor = System.Drawing.SystemColors.GradientInactiveCaption;
|
|
||||||
this.dgElements.ColumnHeadersHeightSizeMode = System.Windows.Forms.DataGridViewColumnHeadersHeightSizeMode.AutoSize;
|
|
||||||
this.dgElements.Columns.AddRange(new System.Windows.Forms.DataGridViewColumn[] {
|
|
||||||
this.colEnableState,
|
|
||||||
this.colId,
|
|
||||||
this.colIndex,
|
|
||||||
this.colName});
|
|
||||||
this.dgElements.Location = new System.Drawing.Point(0, 30);
|
|
||||||
this.dgElements.MultiSelect = false;
|
|
||||||
this.dgElements.Name = "dgElements";
|
|
||||||
this.dgElements.RowTemplate.Height = 23;
|
|
||||||
this.dgElements.SelectionMode = System.Windows.Forms.DataGridViewSelectionMode.FullRowSelect;
|
|
||||||
this.dgElements.Size = new System.Drawing.Size(232, 185);
|
|
||||||
this.dgElements.TabIndex = 0;
|
|
||||||
this.dgElements.CellMouseDoubleClick += new System.Windows.Forms.DataGridViewCellMouseEventHandler(this.dgElements_CellMouseDoubleClick);
|
|
||||||
this.dgElements.SelectionChanged += new System.EventHandler(this.dgElements_SelectionChanged);
|
|
||||||
//
|
|
||||||
// colEnableState
|
|
||||||
//
|
|
||||||
this.colEnableState.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.Fill;
|
|
||||||
this.colEnableState.DataPropertyName = "IsEnabled";
|
|
||||||
this.colEnableState.FillWeight = 41.95804F;
|
|
||||||
this.colEnableState.HeaderText = "";
|
|
||||||
this.colEnableState.MinimumWidth = 30;
|
|
||||||
this.colEnableState.Name = "colEnableState";
|
|
||||||
this.colEnableState.Resizable = System.Windows.Forms.DataGridViewTriState.True;
|
|
||||||
//
|
|
||||||
// colId
|
|
||||||
//
|
|
||||||
this.colId.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.Fill;
|
|
||||||
this.colId.DataPropertyName = "ID";
|
|
||||||
this.colId.HeaderText = "ID";
|
|
||||||
this.colId.MinimumWidth = 30;
|
|
||||||
this.colId.Name = "colId";
|
|
||||||
this.colId.ReadOnly = true;
|
|
||||||
this.colId.Visible = false;
|
|
||||||
//
|
|
||||||
// colIndex
|
|
||||||
//
|
|
||||||
this.colIndex.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.DisplayedCells;
|
|
||||||
this.colIndex.DataPropertyName = "Index";
|
|
||||||
this.colIndex.HeaderText = "序号";
|
|
||||||
this.colIndex.MinimumWidth = 40;
|
|
||||||
this.colIndex.Name = "colIndex";
|
|
||||||
this.colIndex.ReadOnly = true;
|
|
||||||
this.colIndex.Width = 56;
|
|
||||||
//
|
|
||||||
// colName
|
|
||||||
//
|
|
||||||
this.colName.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.Fill;
|
|
||||||
this.colName.DataPropertyName = "Name";
|
|
||||||
this.colName.FillWeight = 158.042F;
|
|
||||||
this.colName.HeaderText = "名称";
|
|
||||||
this.colName.MinimumWidth = 60;
|
|
||||||
this.colName.Name = "colName";
|
|
||||||
this.colName.ReadOnly = true;
|
|
||||||
//
|
|
||||||
// propGridElement
|
|
||||||
//
|
|
||||||
this.propGridElement.Dock = System.Windows.Forms.DockStyle.Fill;
|
|
||||||
this.propGridElement.LargeButtons = true;
|
|
||||||
this.propGridElement.LineColor = System.Drawing.SystemColors.ControlDark;
|
|
||||||
this.propGridElement.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.propGridElement.Margin = new System.Windows.Forms.Padding(3, 3, 3, 50);
|
|
||||||
this.propGridElement.Name = "propGridElement";
|
|
||||||
this.propGridElement.Size = new System.Drawing.Size(232, 248);
|
|
||||||
this.propGridElement.TabIndex = 0;
|
|
||||||
this.propGridElement.ToolbarVisible = false;
|
|
||||||
this.propGridElement.SelectedObjectsChanged += new System.EventHandler(this.propGridElement_SelectedObjectsChanged);
|
|
||||||
//
|
|
||||||
// miniToolStrip
|
|
||||||
//
|
|
||||||
this.miniToolStrip.AccessibleName = "新项选择";
|
|
||||||
this.miniToolStrip.AccessibleRole = System.Windows.Forms.AccessibleRole.ButtonDropDown;
|
|
||||||
this.miniToolStrip.AutoSize = false;
|
|
||||||
this.miniToolStrip.CanOverflow = false;
|
|
||||||
this.miniToolStrip.Dock = System.Windows.Forms.DockStyle.None;
|
|
||||||
this.miniToolStrip.GripStyle = System.Windows.Forms.ToolStripGripStyle.Hidden;
|
|
||||||
this.miniToolStrip.ImageScalingSize = new System.Drawing.Size(24, 24);
|
|
||||||
this.miniToolStrip.LayoutStyle = System.Windows.Forms.ToolStripLayoutStyle.VerticalStackWithOverflow;
|
|
||||||
this.miniToolStrip.Location = new System.Drawing.Point(0, 235);
|
|
||||||
this.miniToolStrip.Margin = new System.Windows.Forms.Padding(10, 0, 0, 0);
|
|
||||||
this.miniToolStrip.Name = "miniToolStrip";
|
|
||||||
this.miniToolStrip.Size = new System.Drawing.Size(29, 237);
|
|
||||||
this.miniToolStrip.TabIndex = 1;
|
|
||||||
//
|
|
||||||
// stsStatus
|
|
||||||
//
|
|
||||||
this.stsStatus.BackColor = System.Drawing.Color.Transparent;
|
|
||||||
this.stsStatus.Items.AddRange(new System.Windows.Forms.ToolStripItem[] {
|
|
||||||
this.tsslLocation,
|
|
||||||
this.tsslMouseState});
|
|
||||||
this.stsStatus.LayoutStyle = System.Windows.Forms.ToolStripLayoutStyle.Flow;
|
|
||||||
this.stsStatus.Location = new System.Drawing.Point(0, 445);
|
|
||||||
this.stsStatus.Name = "stsStatus";
|
|
||||||
this.stsStatus.Size = new System.Drawing.Size(635, 22);
|
|
||||||
this.stsStatus.TabIndex = 0;
|
|
||||||
this.stsStatus.Text = "statusStrip1";
|
|
||||||
//
|
|
||||||
// tsslLocation
|
|
||||||
//
|
|
||||||
this.tsslLocation.Name = "tsslLocation";
|
|
||||||
this.tsslLocation.Size = new System.Drawing.Size(24, 17);
|
|
||||||
this.tsslLocation.Text = " ";
|
|
||||||
//
|
|
||||||
// tsslMouseState
|
|
||||||
//
|
|
||||||
this.tsslMouseState.Name = "tsslMouseState";
|
|
||||||
this.tsslMouseState.Size = new System.Drawing.Size(52, 17);
|
|
||||||
this.tsslMouseState.Text = " ";
|
|
||||||
//
|
|
||||||
// dataGridViewCheckBoxColumn1
|
|
||||||
//
|
|
||||||
this.dataGridViewCheckBoxColumn1.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.Fill;
|
|
||||||
this.dataGridViewCheckBoxColumn1.DataPropertyName = "IsEnabled";
|
|
||||||
this.dataGridViewCheckBoxColumn1.FillWeight = 41.95804F;
|
|
||||||
this.dataGridViewCheckBoxColumn1.HeaderText = "";
|
|
||||||
this.dataGridViewCheckBoxColumn1.MinimumWidth = 30;
|
|
||||||
this.dataGridViewCheckBoxColumn1.Name = "dataGridViewCheckBoxColumn1";
|
|
||||||
this.dataGridViewCheckBoxColumn1.Resizable = System.Windows.Forms.DataGridViewTriState.True;
|
|
||||||
//
|
|
||||||
// dataGridViewTextBoxColumn1
|
|
||||||
//
|
|
||||||
this.dataGridViewTextBoxColumn1.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.Fill;
|
|
||||||
this.dataGridViewTextBoxColumn1.DataPropertyName = "Id";
|
|
||||||
this.dataGridViewTextBoxColumn1.HeaderText = "ID";
|
|
||||||
this.dataGridViewTextBoxColumn1.MinimumWidth = 30;
|
|
||||||
this.dataGridViewTextBoxColumn1.Name = "dataGridViewTextBoxColumn1";
|
|
||||||
this.dataGridViewTextBoxColumn1.ReadOnly = true;
|
|
||||||
this.dataGridViewTextBoxColumn1.Visible = false;
|
|
||||||
//
|
|
||||||
// dataGridViewTextBoxColumn2
|
|
||||||
//
|
|
||||||
this.dataGridViewTextBoxColumn2.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.DisplayedCellsExceptHeader;
|
|
||||||
this.dataGridViewTextBoxColumn2.DataPropertyName = "Index";
|
|
||||||
this.dataGridViewTextBoxColumn2.HeaderText = "序号";
|
|
||||||
this.dataGridViewTextBoxColumn2.MinimumWidth = 40;
|
|
||||||
this.dataGridViewTextBoxColumn2.Name = "dataGridViewTextBoxColumn2";
|
|
||||||
this.dataGridViewTextBoxColumn2.ReadOnly = true;
|
|
||||||
//
|
|
||||||
// dataGridViewTextBoxColumn3
|
|
||||||
//
|
|
||||||
this.dataGridViewTextBoxColumn3.AutoSizeMode = System.Windows.Forms.DataGridViewAutoSizeColumnMode.DisplayedCellsExceptHeader;
|
|
||||||
this.dataGridViewTextBoxColumn3.DataPropertyName = "Name";
|
|
||||||
this.dataGridViewTextBoxColumn3.FillWeight = 158.042F;
|
|
||||||
this.dataGridViewTextBoxColumn3.HeaderText = "名称";
|
|
||||||
this.dataGridViewTextBoxColumn3.MinimumWidth = 80;
|
|
||||||
this.dataGridViewTextBoxColumn3.Name = "dataGridViewTextBoxColumn3";
|
|
||||||
this.dataGridViewTextBoxColumn3.ReadOnly = true;
|
|
||||||
//
|
|
||||||
// Canvas
|
|
||||||
//
|
|
||||||
this.Controls.Add(this.stsStatus);
|
|
||||||
this.Controls.Add(this.scMain);
|
|
||||||
this.Font = new System.Drawing.Font("Tahoma", 11F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.World, ((byte)(134)));
|
|
||||||
this.Name = "Canvas";
|
|
||||||
this.Size = new System.Drawing.Size(635, 467);
|
|
||||||
this.ctmsElements.ResumeLayout(false);
|
|
||||||
this.ctmsKeepElements.ResumeLayout(false);
|
|
||||||
this.scMain.Panel1.ResumeLayout(false);
|
|
||||||
this.scMain.Panel1.PerformLayout();
|
|
||||||
this.scMain.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.scMain)).EndInit();
|
|
||||||
this.scMain.ResumeLayout(false);
|
|
||||||
this.tsTool.ResumeLayout(false);
|
|
||||||
this.tsTool.PerformLayout();
|
|
||||||
this.splitContainer1.Panel1.ResumeLayout(false);
|
|
||||||
this.splitContainer1.Panel1.PerformLayout();
|
|
||||||
this.splitContainer1.Panel2.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.splitContainer1)).EndInit();
|
|
||||||
this.splitContainer1.ResumeLayout(false);
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.dgElements)).EndInit();
|
|
||||||
this.stsStatus.ResumeLayout(false);
|
|
||||||
this.stsStatus.PerformLayout();
|
|
||||||
this.ResumeLayout(false);
|
|
||||||
this.PerformLayout();
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
private System.Windows.Forms.DataGridViewTextBoxColumn dataGridViewTextBoxColumn1;
|
|
||||||
private System.Windows.Forms.DataGridViewTextBoxColumn dataGridViewTextBoxColumn2;
|
|
||||||
private System.Windows.Forms.DataGridViewTextBoxColumn dataGridViewTextBoxColumn3;
|
|
||||||
private System.Windows.Forms.ContextMenuStrip ctmsElements;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiResort;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiInitialState;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiClearStandardValue;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiClearActualValue;
|
|
||||||
private System.Windows.Forms.DataGridViewCheckBoxColumn dataGridViewCheckBoxColumn1;
|
|
||||||
private System.Windows.Forms.ContextMenuStrip ctmsKeepElements;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiKeepSelected;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiKeepUnselected;
|
|
||||||
private System.Windows.Forms.ToolStripMenuItem tsmiUnselectElements;
|
|
||||||
private System.Windows.Forms.ToolStripPanel BottomToolStripPanel;
|
|
||||||
private System.Windows.Forms.ToolStripPanel TopToolStripPanel;
|
|
||||||
private System.Windows.Forms.ToolStripPanel RightToolStripPanel;
|
|
||||||
private System.Windows.Forms.ToolStripPanel LeftToolStripPanel;
|
|
||||||
private System.Windows.Forms.ToolStripContentPanel ContentPanel;
|
|
||||||
private System.Windows.Forms.SplitContainer scMain;
|
|
||||||
private System.Windows.Forms.StatusStrip stsStatus;
|
|
||||||
private System.Windows.Forms.ToolStripStatusLabel tsslLocation;
|
|
||||||
private System.Windows.Forms.ToolStripStatusLabel tsslMouseState;
|
|
||||||
private System.Windows.Forms.ToolStrip tsTool;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnLoadImage;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnSaveImage;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnSaveImageWithElements;
|
|
||||||
private System.Windows.Forms.ToolStripSeparator toolStripSeparator4;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnMapSize;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnScreenSize;
|
|
||||||
private System.Windows.Forms.ToolStripSeparator toolStripSeparator1;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnModeNormal;
|
|
||||||
private System.Windows.Forms.ToolStripButton tsBtnModeSelection;
|
|
||||||
private System.Windows.Forms.ToolStripSeparator toolStripSeparator2;
|
|
||||||
private System.Windows.Forms.SplitContainer splitContainer1;
|
|
||||||
private System.Windows.Forms.CheckBox chkShowChecked;
|
|
||||||
private System.Windows.Forms.DataGridView dgElements;
|
|
||||||
private System.Windows.Forms.DataGridViewCheckBoxColumn colEnableState;
|
|
||||||
private System.Windows.Forms.DataGridViewTextBoxColumn colId;
|
|
||||||
private System.Windows.Forms.DataGridViewTextBoxColumn colIndex;
|
|
||||||
private System.Windows.Forms.DataGridViewTextBoxColumn colName;
|
|
||||||
private System.Windows.Forms.PropertyGrid propGridElement;
|
|
||||||
private System.Windows.Forms.ToolStrip miniToolStrip;
|
|
||||||
private System.Windows.Forms.ToolStrip tsROIs;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,629 +0,0 @@
|
|||||||
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Collections.ObjectModel;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Drawing.Drawing2D;
|
|
||||||
using System.Drawing.Imaging;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
public partial class Canvas : UserControl
|
|
||||||
{
|
|
||||||
readonly CanvasImage cvImage = new CanvasImage();
|
|
||||||
|
|
||||||
#region Grid
|
|
||||||
readonly GridCtrl gridCtrl = new GridCtrl();
|
|
||||||
|
|
||||||
private void GridValueChanged(int gridValue)
|
|
||||||
{
|
|
||||||
cvImage.GridValue = gridValue;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void ShowGridChanged(bool isShowGrid)
|
|
||||||
{
|
|
||||||
cvImage.ShowGrid = isShowGrid;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void GridColorChanged(Color obj)
|
|
||||||
{
|
|
||||||
cvImage.Pen_Grid.Color = obj;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
public Canvas()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
DoubleBuffered = true;
|
|
||||||
SetStyle(ControlStyles.OptimizedDoubleBuffer |
|
|
||||||
ControlStyles.ResizeRedraw |
|
|
||||||
ControlStyles.AllPaintingInWmPaint, true);
|
|
||||||
|
|
||||||
cvImage.Dock = DockStyle.Fill;
|
|
||||||
scMain.Panel1.Controls.Add(cvImage);
|
|
||||||
|
|
||||||
dgElements.AutoGenerateColumns = false;
|
|
||||||
|
|
||||||
var checkHead = new DataGridViewCheckboxHeaderCell();
|
|
||||||
checkHead.OnCheckBoxClicked += CheckHead_OnCheckBoxClicked;
|
|
||||||
dgElements.Columns[0].HeaderCell = checkHead;
|
|
||||||
dgElements.Columns[0].HeaderCell.Value = string.Empty;
|
|
||||||
|
|
||||||
Elements.CollectionChanged += Elements_CollectionChanged;
|
|
||||||
|
|
||||||
cvImage.OnMouseLocationUpdated = OnMouseLocationUpdated;
|
|
||||||
cvImage.OnMouseStateChanged += OnMouseStateChanged;
|
|
||||||
|
|
||||||
gridCtrl.IsShowGridChanged = ShowGridChanged;
|
|
||||||
gridCtrl.GridValueChanged = GridValueChanged;
|
|
||||||
gridCtrl.GridColorChanged = GridColorChanged;
|
|
||||||
gridCtrl.Padding = new Padding(0, 5, 0, 5);
|
|
||||||
tsTool.Items.Add(new GridCtrlHost(gridCtrl));
|
|
||||||
tsTool.Invalidate();
|
|
||||||
|
|
||||||
_eleCollectionChangedTimer = new System.Threading.Timer(OnElementCollectionChangedBufferTimer, null, -1, -1);
|
|
||||||
|
|
||||||
//tsmiShowStatusBar.Checked = tsmiShowToolBar.Checked = IsShowElementList = IsShowROITool = IsShowStatusBar = IsShowToolBar = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void OnMouseStateChanged(MouseState ms)
|
|
||||||
{
|
|
||||||
if (ms != MouseState.SelectionZone && ms != MouseState.SelectionZoneDoing)
|
|
||||||
{
|
|
||||||
if (this.IsHandleCreated)
|
|
||||||
{
|
|
||||||
this.Invoke(new Action(() =>
|
|
||||||
{
|
|
||||||
tsBtnModeSelection.Checked = false;
|
|
||||||
tsBtnModeNormal.Checked = true;
|
|
||||||
}));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 底部状态栏
|
|
||||||
public bool IsShowStatusBar
|
|
||||||
{
|
|
||||||
get => stsStatus.Visible;
|
|
||||||
set => stsStatus.Visible = value;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void OnMouseLocationUpdated(Point screenPoint, PointF imagePoint, string colorDesc)
|
|
||||||
{
|
|
||||||
//await Task.Run(() => tsslLocation.Text = $"屏幕坐标X:{screenPoint.X},Y:{screenPoint.Y} 图片坐标X:{imagePoint.X},Y:{imagePoint.Y} 颜色:{colorDesc}");
|
|
||||||
this.Invoke(new Action(() =>
|
|
||||||
{
|
|
||||||
tsslLocation.Text = $"屏幕坐标X:{screenPoint.X},Y:{screenPoint.Y} 图片坐标X:{imagePoint.X.ToString("f2")},Y:{imagePoint.Y.ToString("f2")} 颜色:{colorDesc}";
|
|
||||||
}));
|
|
||||||
}
|
|
||||||
|
|
||||||
//private void MouseLocationUpdated(Point screenPoint, Point imagePoint, string colorDesc)
|
|
||||||
//{
|
|
||||||
// if (InvokeRequired)
|
|
||||||
// {
|
|
||||||
// Invoke(new Action<Point, Point, string>(MouseLocationUpdated), screenPoint, imagePoint);
|
|
||||||
// }
|
|
||||||
// else
|
|
||||||
// {
|
|
||||||
// tsslLocation.Text = $"屏幕坐标X:{screenPoint.X},Y:{screenPoint.Y} 图片坐标X:{imagePoint.X},Y:{imagePoint.Y} 颜色:{colorDesc}";
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 属性
|
|
||||||
#region CanvasImage相关
|
|
||||||
//private MouseState mouseState = MouseState.Normal;
|
|
||||||
//public MouseState MouseState
|
|
||||||
//{
|
|
||||||
// get
|
|
||||||
// {
|
|
||||||
// return mouseState;
|
|
||||||
// }
|
|
||||||
// set
|
|
||||||
// {
|
|
||||||
// if (mouseState != value)
|
|
||||||
// {
|
|
||||||
// mouseState = value;
|
|
||||||
|
|
||||||
// tsslMouseState.Text = mouseState.ToString();
|
|
||||||
|
|
||||||
// if (mouseState >= MouseState.SelectionZone)
|
|
||||||
// {
|
|
||||||
// tsBtnModeSelection.Checked = true;
|
|
||||||
// }
|
|
||||||
// else
|
|
||||||
// {
|
|
||||||
// tsBtnModeNormal.Checked = true;
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
public string ImageFilePath { get; set; }
|
|
||||||
|
|
||||||
public Bitmap MAP
|
|
||||||
{
|
|
||||||
get => cvImage.MAP;
|
|
||||||
set => cvImage.MAP = value;
|
|
||||||
}
|
|
||||||
public Matrix Matrix
|
|
||||||
{
|
|
||||||
get => cvImage.Matrix;
|
|
||||||
set => cvImage.Matrix = value;
|
|
||||||
}
|
|
||||||
public MouseState MouseState
|
|
||||||
{
|
|
||||||
get => cvImage.MouseState;
|
|
||||||
set => cvImage.MouseState = value;
|
|
||||||
}
|
|
||||||
public ObservableCollection<IShapeElement> Elements
|
|
||||||
{
|
|
||||||
get => cvImage.Elements;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private bool isShowElementList = false;
|
|
||||||
public bool IsShowElementList
|
|
||||||
{
|
|
||||||
get => isShowElementList;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
//if (isShowElementList != value)
|
|
||||||
{
|
|
||||||
isShowElementList = value;
|
|
||||||
scMain.Panel2Collapsed = !value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private bool isShowROITool = false;
|
|
||||||
public bool IsShowROITool
|
|
||||||
{
|
|
||||||
get => isShowROITool;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
tsROIs.Visible = isShowROITool = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 图片操作
|
|
||||||
/// <summary>
|
|
||||||
/// 载入图片
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="map"></param>
|
|
||||||
public void LoadImage(Bitmap map)
|
|
||||||
{
|
|
||||||
cvImage.LoadImage(map);
|
|
||||||
OnImageChanged?.Invoke();
|
|
||||||
}
|
|
||||||
public void Clear()
|
|
||||||
{
|
|
||||||
cvImage.Clear();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设置图片为原始尺寸
|
|
||||||
/// </summary>
|
|
||||||
public void SetMapSize()
|
|
||||||
{
|
|
||||||
cvImage.SetMapSize();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设置图片为适配尺寸
|
|
||||||
/// </summary>
|
|
||||||
public void SetScreenSize()
|
|
||||||
{
|
|
||||||
cvImage.SetScreenSize();
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 基元列表
|
|
||||||
private void chkShowChecked_CheckedChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
dgElements.DataSource = null;
|
|
||||||
|
|
||||||
if (Elements != null && Elements.Count > 0)
|
|
||||||
{
|
|
||||||
if (chkShowChecked.Checked)
|
|
||||||
{
|
|
||||||
dgElements.DataSource = Elements.Where(u => u.IsEnabled && u.IsShowing).ToList();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
dgElements.DataSource = Elements.Where(u => u.IsShowing).ToList();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void CheckHead_OnCheckBoxClicked(object sender, DataGridViewCheckboxHeaderEventArgs e)
|
|
||||||
{
|
|
||||||
//foreach (IShapeElement ele in Elements)
|
|
||||||
//{
|
|
||||||
// ele.IsEnabled = e.CheckedState;
|
|
||||||
//}
|
|
||||||
for (int i = 0; i < Elements.Count; i++)
|
|
||||||
{
|
|
||||||
Elements[i].IsEnabled = e.CheckedState;
|
|
||||||
}
|
|
||||||
OnElementChanged(null);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void dgElements_SelectionChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (dgElements.SelectedRows.Count > 0)
|
|
||||||
{
|
|
||||||
var ele = Elements.FirstOrDefault(u => u.ID == dgElements.SelectedRows[0].Cells["colID"].Value.ToString());
|
|
||||||
propGridElement.SelectedObject = ele;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void dgElements_CellMouseDoubleClick(object sender, DataGridViewCellMouseEventArgs e)
|
|
||||||
{
|
|
||||||
if (dgElements.SelectedRows.Count > 0)
|
|
||||||
{
|
|
||||||
var ele = Elements.FirstOrDefault(u => u.ID == dgElements.SelectedRows[0].Cells["colID"].Value.ToString());
|
|
||||||
|
|
||||||
for (int i = 0; i < Elements.Count; i++)
|
|
||||||
{
|
|
||||||
Elements[i].State = ElementState.Normal;
|
|
||||||
}
|
|
||||||
|
|
||||||
ele.State = ElementState.Selected;
|
|
||||||
|
|
||||||
SetDeviceByElement?.Invoke(ele);
|
|
||||||
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
System.Threading.Timer _eleCollectionChangedTimer = null;
|
|
||||||
|
|
||||||
private void OnElementCollectionChangedBufferTimer(object state)
|
|
||||||
{
|
|
||||||
OnElementChanged(null);
|
|
||||||
for (int i = 0; i < Elements.Count; i++)
|
|
||||||
{
|
|
||||||
Elements[i].PropertyChanged -= Ele_PropertyChanged;
|
|
||||||
Elements[i].PropertyChanged += Ele_PropertyChanged;
|
|
||||||
}
|
|
||||||
//foreach (IShapeElement ele in Elements)
|
|
||||||
//{
|
|
||||||
// ele.PropertyChanged -= Ele_PropertyChanged;
|
|
||||||
// ele.PropertyChanged += Ele_PropertyChanged;
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Elements_CollectionChanged(object sender, System.Collections.Specialized.NotifyCollectionChangedEventArgs e)
|
|
||||||
{
|
|
||||||
//_eleCollectionChangedTimer?.Change(200, -1);
|
|
||||||
OnElementChanged(null);
|
|
||||||
for (int i = 0; i < Elements.Count; i++)
|
|
||||||
{
|
|
||||||
Elements[i].PropertyChanged -= Ele_PropertyChanged;
|
|
||||||
Elements[i].PropertyChanged += Ele_PropertyChanged;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Ele_PropertyChanged(object sender, PropertyChangedEventArgs e)
|
|
||||||
{
|
|
||||||
if (e.PropertyName == "IsEnabled")
|
|
||||||
{
|
|
||||||
OnElementChanged(sender as IShapeElement);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
Invoke(new Action(() =>
|
|
||||||
{
|
|
||||||
cvImage.Invalidate();
|
|
||||||
}));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void OnElementChanged(IShapeElement ele)
|
|
||||||
{
|
|
||||||
if (ele != null)
|
|
||||||
OnElementChangedHandle?.Invoke(ele);
|
|
||||||
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(new Action(() => OnElementChanged(ele)));
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
if (isShowElementList)
|
|
||||||
{
|
|
||||||
dgElements.DataSource = null;
|
|
||||||
if (Elements != null && Elements.Count > 0)
|
|
||||||
{
|
|
||||||
if (chkShowChecked.Checked)
|
|
||||||
{
|
|
||||||
dgElements.DataSource = Elements.ToList().Where(u => u.IsEnabled && u.IsShowing).ToList();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
dgElements.DataSource = Elements.ToList().Where(u => u.IsShowing).ToList();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void propGridElement_SelectedObjectsChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
propGridElement.ExpandAllGridItems();
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 基元列表右键菜单
|
|
||||||
private void tsmiResort_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//Elements.Sort();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsmiClearActualValue_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//foreach (IShapeElement ele in Elements)
|
|
||||||
//{
|
|
||||||
// if (ele.IsEnabled)
|
|
||||||
// {
|
|
||||||
// ele.SetActualValue(0.0);
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsmiInitialState_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//foreach (IShapeElement ele in Elements)
|
|
||||||
//{
|
|
||||||
// if (ele.IsEnabled)
|
|
||||||
// {
|
|
||||||
// ele.State = ElementState.Normal;
|
|
||||||
// ele.InitialMeasureResult();
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsmiClearStandardValue_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//foreach (IShapeElement ele in Elements)
|
|
||||||
//{
|
|
||||||
// if (ele.IsEnabled)
|
|
||||||
// {
|
|
||||||
// ele.SetStandardValue(0.0);
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 图像区域右键菜单
|
|
||||||
private void tsmiKeepUnselected_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
KeepElements(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsmiKeepSelected_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
KeepElements(true);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void KeepElements(bool isKeepSelected)
|
|
||||||
{
|
|
||||||
for (int i = 0; i < Elements.Count; i++)
|
|
||||||
{
|
|
||||||
var ele = Elements[i];
|
|
||||||
if (ele.IsEnabled)
|
|
||||||
{
|
|
||||||
if (ele.State == ElementState.Selected)
|
|
||||||
{
|
|
||||||
ele.IsEnabled = isKeepSelected;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
ele.IsEnabled = !isKeepSelected;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsmiUnselectElements_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//if (MouseState == MouseState.SelectedElement)
|
|
||||||
//{
|
|
||||||
// MouseState = MouseState.Normal;
|
|
||||||
|
|
||||||
// //Elements.ForEach(ele =>
|
|
||||||
// foreach (IShapeElement ele in Elements)
|
|
||||||
// {
|
|
||||||
// ele.State = ElementState.Normal;
|
|
||||||
// }
|
|
||||||
// //);
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 基元的设备属性 运动设置和相机设置
|
|
||||||
public Action<IShapeElement> SetElementDevicePara;
|
|
||||||
|
|
||||||
public Action<IShapeElement> SetDeviceByElement;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 一般操作工具条
|
|
||||||
public bool IsShowToolBar
|
|
||||||
{
|
|
||||||
get => tsTool.Visible;
|
|
||||||
set => tsTool.Visible = value;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsBtnLoadImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
Thread InvokeThread = new Thread(new ThreadStart(OpenLoadImage));
|
|
||||||
InvokeThread.SetApartmentState(ApartmentState.STA);
|
|
||||||
InvokeThread.Start();
|
|
||||||
InvokeThread.Join();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void OpenLoadImage()
|
|
||||||
{
|
|
||||||
ImageFilePath = "";
|
|
||||||
OpenFileDialog ofd = new OpenFileDialog();
|
|
||||||
if (ofd.ShowDialog() == DialogResult.OK)
|
|
||||||
{
|
|
||||||
ImageFilePath = ofd.FileName;
|
|
||||||
LoadImage((Bitmap)Bitmap.FromFile(ImageFilePath));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsBtnSaveImage_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (MAP == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
SaveFileDialog sfd = new SaveFileDialog();
|
|
||||||
sfd.Filter = "JPG文件|*.jpg|BMP文件|*.bmp";
|
|
||||||
if (sfd.ShowDialog() == DialogResult.OK)
|
|
||||||
{
|
|
||||||
string filePath = sfd.FileName;
|
|
||||||
if (filePath.EndsWith("bmp"))
|
|
||||||
{
|
|
||||||
MAP.Save(filePath, ImageFormat.Bmp);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
MAP.Save(filePath, ImageFormat.Jpeg);
|
|
||||||
}
|
|
||||||
MessageBox.Show("图片保存成功!");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsBtnSaveImageWithElements_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (MAP == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
SaveFileDialog sfd = new SaveFileDialog();
|
|
||||||
sfd.Filter = "JPG文件|*.jpg|BMP文件|*.bmp";
|
|
||||||
if (sfd.ShowDialog() == DialogResult.OK)
|
|
||||||
{
|
|
||||||
string filePath = sfd.FileName;
|
|
||||||
|
|
||||||
Bitmap bmp = new Bitmap(MAP.Width, MAP.Height, PixelFormat.Format32bppArgb);
|
|
||||||
//Bitmap bmp = new Bitmap(MAP.Width, MAP.Height, MAP.PixelFormat);
|
|
||||||
//Bitmap bmp = new Bitmap(MAP.Width, MAP.Height);
|
|
||||||
using (Graphics g = Graphics.FromImage(bmp))
|
|
||||||
{
|
|
||||||
g.InterpolationMode = System.Drawing.Drawing2D.InterpolationMode.HighQualityBicubic;
|
|
||||||
g.SmoothingMode = System.Drawing.Drawing2D.SmoothingMode.HighQuality;
|
|
||||||
g.CompositingQuality = System.Drawing.Drawing2D.CompositingQuality.HighQuality;
|
|
||||||
g.DrawImage(MAP, 0, 0);
|
|
||||||
|
|
||||||
for (int i = 0; i < Elements.Count; i++)
|
|
||||||
{
|
|
||||||
var ele = Elements[i];
|
|
||||||
if (ele.IsEnabled)
|
|
||||||
ele.Draw(g);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (filePath.EndsWith("bmp"))
|
|
||||||
{
|
|
||||||
bmp.Save(filePath, ImageFormat.Bmp);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
bmp.Save(filePath, ImageFormat.Jpeg);
|
|
||||||
}
|
|
||||||
MessageBox.Show("带基元图片保存成功!");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsBtnMapSize_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
SetMapSize();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsBtnModeNormal_CheckedChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
var btn = sender as ToolStripButton;
|
|
||||||
if (btn.Checked)
|
|
||||||
{
|
|
||||||
btn.BackColor = SystemColors.ActiveCaption;
|
|
||||||
|
|
||||||
foreach (ToolStripItem c in tsTool.Items)
|
|
||||||
{
|
|
||||||
if (c is ToolStripButton)
|
|
||||||
{
|
|
||||||
if (c.Name.StartsWith("tsBtnMode") && c.Name != btn.Name)
|
|
||||||
{
|
|
||||||
var temp = c as ToolStripButton;
|
|
||||||
temp.Checked = false;
|
|
||||||
temp.BackColor = SystemColors.Control;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
switch (btn.Name)
|
|
||||||
{
|
|
||||||
case "tsBtnModeNormal":
|
|
||||||
MouseState = MouseState.Normal;
|
|
||||||
break;
|
|
||||||
case "tsBtnModeSelection":
|
|
||||||
MouseState = MouseState.SelectionZone;
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsBtnScreenSize_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
SetScreenSize();
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 基元工具条
|
|
||||||
//private void LoadElementTools()
|
|
||||||
//{
|
|
||||||
// var eleDict = ElementFactory.GetAllElementsInfo();
|
|
||||||
|
|
||||||
// foreach (KeyValuePair<ElementAttribute, Type> pair in eleDict)
|
|
||||||
// {
|
|
||||||
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
public void SetNewROIType(IShapeElement element)
|
|
||||||
{
|
|
||||||
cvImage.DrawTemplate = element;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 事件
|
|
||||||
public event Action<IShapeElement> OnElementChangedHandle;
|
|
||||||
public event Action OnImageChanged;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 工具栏显示/隐藏右键菜单
|
|
||||||
private void tsmiShowToolBar_CheckedChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//IsShowToolBar = tsmiShowToolBar.Checked;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tsmiShowStatusBar_CheckedChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
//IsShowStatusBar = tsmiShowStatusBar.Checked;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
</root>
|
|
33
DH.UI.Model.Winform/CanvasImage.Designer.cs
generated
33
DH.UI.Model.Winform/CanvasImage.Designer.cs
generated
@ -1,33 +0,0 @@
|
|||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
partial class CanvasImage
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
this.SuspendLayout();
|
|
||||||
//
|
|
||||||
// CanvasImage
|
|
||||||
//
|
|
||||||
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 12F);
|
|
||||||
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
|
|
||||||
this.Font = new System.Drawing.Font("宋体", 9F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.Point, ((byte)(134)));
|
|
||||||
this.Name = "CanvasImage";
|
|
||||||
this.Size = new System.Drawing.Size(575, 472);
|
|
||||||
this.ResumeLayout(false);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,943 +0,0 @@
|
|||||||
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Collections.ObjectModel;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Drawing.Drawing2D;
|
|
||||||
using System.Drawing.Imaging;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
public partial class CanvasImage : UserControl
|
|
||||||
{
|
|
||||||
public CanvasImage()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
DoubleBuffered = true;
|
|
||||||
SetStyle(ControlStyles.OptimizedDoubleBuffer |
|
|
||||||
ControlStyles.ResizeRedraw |
|
|
||||||
ControlStyles.AllPaintingInWmPaint, true);
|
|
||||||
|
|
||||||
MouseWheel += Canvas_MouseWheel;
|
|
||||||
KeyDown += OnCanvasKeyDown;
|
|
||||||
KeyPress += OnCanvasKeyPressed;
|
|
||||||
MouseDoubleClick += Canvas_MouseDoubleClick;
|
|
||||||
MouseDown += Canvas_MouseDown;
|
|
||||||
MouseMove += Canvas_MouseMove;
|
|
||||||
MouseUp += Canvas_MouseUp;
|
|
||||||
|
|
||||||
// EventRouter.ChangeElementsMouseState -= OnElementChangeMouseState;
|
|
||||||
// EventRouter.ChangeElementsMouseState += OnElementChangeMouseState;
|
|
||||||
|
|
||||||
//Elements.CollectionChanged += Elements_CollectionChanged;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Elements_CollectionChanged(object sender, System.Collections.Specialized.NotifyCollectionChangedEventArgs e)
|
|
||||||
{
|
|
||||||
//this.Invoke(new Action(() =>
|
|
||||||
//{
|
|
||||||
// this.Invalidate();
|
|
||||||
//}));
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Event
|
|
||||||
public Action<MouseState> OnMouseStateChanged;
|
|
||||||
public Action<IShapeElement> DrawTemplateChanged = null;
|
|
||||||
public Action<Point, PointF, string> OnMouseLocationUpdated;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private MouseState mouseState = MouseState.Normal;
|
|
||||||
public MouseState MouseState
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return mouseState;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (mouseState != value)
|
|
||||||
{
|
|
||||||
mouseState = value;
|
|
||||||
|
|
||||||
// OnMouseStateChanged?.BeginInvoke(value, null, null);
|
|
||||||
Task.Run(() => OnMouseStateChanged.Invoke(value));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 属性和字段
|
|
||||||
|
|
||||||
//private Bitmap map = new Bitmap(10, 10);
|
|
||||||
//public Bitmap MAP
|
|
||||||
//{
|
|
||||||
// get
|
|
||||||
// {
|
|
||||||
// _mapLoadHandler.WaitOne();
|
|
||||||
// return map;
|
|
||||||
// }
|
|
||||||
// set
|
|
||||||
// {
|
|
||||||
// map = value;
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
public Bitmap MAP { get; set; } = new Bitmap(10, 10);
|
|
||||||
|
|
||||||
public Matrix Matrix { get; set; } = new Matrix();
|
|
||||||
public ObservableCollection<IShapeElement> Elements { get; set; } = new ObservableCollection<IShapeElement>();
|
|
||||||
|
|
||||||
RectangleF _selectionRect = new RectangleF();
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 重绘
|
|
||||||
protected override void OnPaint(PaintEventArgs e)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
//lock (_mapLoadLock)
|
|
||||||
//{ }
|
|
||||||
|
|
||||||
Rectangle rect = ClientRectangle;
|
|
||||||
Graphics originG = e.Graphics;
|
|
||||||
BufferedGraphicsContext currentContext = BufferedGraphicsManager.Current;
|
|
||||||
BufferedGraphics myBuffer = currentContext.Allocate(originG, rect);
|
|
||||||
Graphics g = myBuffer.Graphics;
|
|
||||||
g.SmoothingMode = SmoothingMode.HighSpeed;
|
|
||||||
g.PixelOffsetMode = PixelOffsetMode.HighSpeed;
|
|
||||||
g.InterpolationMode = InterpolationMode.NearestNeighbor;
|
|
||||||
g.Clear(BackColor);
|
|
||||||
|
|
||||||
g.MultiplyTransform(Matrix);
|
|
||||||
|
|
||||||
if (MAP != null)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
g.DrawImage(MAP, 0, 0, MAP.Width, MAP.Height);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
g.Clear(BackColor);
|
|
||||||
}
|
|
||||||
|
|
||||||
DrawTemplate?.Draw(g);
|
|
||||||
foreach (IShapeElement ele in Elements)
|
|
||||||
{
|
|
||||||
if (ele.IsEnabled && ele.IsShowing)
|
|
||||||
{
|
|
||||||
ele.Draw(g);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Grid
|
|
||||||
if (MAP != null)
|
|
||||||
{
|
|
||||||
if (ShowGrid)
|
|
||||||
{
|
|
||||||
int baseX = MAP.Width / 2;
|
|
||||||
int baseY = MAP.Height / 2;
|
|
||||||
|
|
||||||
Point[] xPoint = new Point[] { new Point(0, baseY), new Point(MAP.Width, baseY) };
|
|
||||||
Point[] yPoint = new Point[] { new Point(baseX, 0), new Point(baseX, MAP.Height) };
|
|
||||||
|
|
||||||
g.DrawLine(new Pen(Pen_Grid.Color, 5.0f), xPoint[0], xPoint[1]);
|
|
||||||
g.DrawLine(new Pen(Pen_Grid.Color, 5.0f), yPoint[0], yPoint[1]);
|
|
||||||
|
|
||||||
if (GridValue > 0)
|
|
||||||
{
|
|
||||||
int stepX = MAP.Width / 2 / (GridValue * MAP.Width / 2 / _minGridStep / 10);
|
|
||||||
int stepY = MAP.Height / 2 / (GridValue * MAP.Height / 2 / _minGridStep / 10);
|
|
||||||
|
|
||||||
//int stepX = _minGridStep + (10 - GridValue) * (MAP.Width / 2 - _minGridStep) / 10;
|
|
||||||
//int stepY = _minGridStep + (10 - GridValue) * (MAP.Height / 2 - _minGridStep) / 10;
|
|
||||||
|
|
||||||
int yPositive = baseY;
|
|
||||||
do
|
|
||||||
{
|
|
||||||
xPoint = new Point[] { new Point(0, yPositive), new Point(MAP.Width, yPositive) };
|
|
||||||
g.DrawLine(Pen_Grid, xPoint[0], xPoint[1]);
|
|
||||||
yPositive -= stepY;
|
|
||||||
} while (yPositive > 0);
|
|
||||||
|
|
||||||
int yNegative = baseY;
|
|
||||||
do
|
|
||||||
{
|
|
||||||
xPoint = new Point[] { new Point(0, yNegative), new Point(MAP.Width, yNegative) };
|
|
||||||
g.DrawLine(Pen_Grid, xPoint[0], xPoint[1]);
|
|
||||||
yNegative += stepY;
|
|
||||||
} while (yNegative < MAP.Height);
|
|
||||||
|
|
||||||
int xPositive = baseX;
|
|
||||||
do
|
|
||||||
{
|
|
||||||
yPoint = new Point[] { new Point(xPositive, 0), new Point(xPositive, MAP.Height) };
|
|
||||||
g.DrawLine(Pen_Grid, yPoint[0], yPoint[1]);
|
|
||||||
xPositive -= stepX;
|
|
||||||
} while (xPositive > 0);
|
|
||||||
|
|
||||||
int xNegative = baseX;
|
|
||||||
do
|
|
||||||
{
|
|
||||||
yPoint = new Point[] { new Point(xNegative, 0), new Point(xNegative, MAP.Height) };
|
|
||||||
g.DrawLine(Pen_Grid, yPoint[0], yPoint[1]);
|
|
||||||
xNegative += stepX;
|
|
||||||
} while (xNegative < MAP.Width);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
if (MouseState == MouseState.SelectionZoneDoing)
|
|
||||||
{
|
|
||||||
g.DrawRectangle(Pens.AliceBlue, _selectionRect.X, _selectionRect.Y, _selectionRect.Width, _selectionRect.Height);
|
|
||||||
g.FillRectangle(new SolidBrush(Color.FromArgb(40, 0, 0, 255)), _selectionRect);
|
|
||||||
}
|
|
||||||
|
|
||||||
myBuffer.Render(originG);
|
|
||||||
g.Dispose();
|
|
||||||
myBuffer.Dispose();//释放资源
|
|
||||||
}
|
|
||||||
catch (Exception)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void halfTransparent()
|
|
||||||
{
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 绘制类型
|
|
||||||
private IShapeElement drawTemplate = null;
|
|
||||||
public IShapeElement DrawTemplate
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return drawTemplate;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (drawTemplate != value)
|
|
||||||
{
|
|
||||||
|
|
||||||
drawTemplate = value;
|
|
||||||
|
|
||||||
//DrawTemplateChanged?.BeginInvoke(value, null, null);
|
|
||||||
Task.Run(() => DrawTemplateChanged.Invoke(value));
|
|
||||||
|
|
||||||
if (value == null)
|
|
||||||
{
|
|
||||||
MouseState = MouseState.Normal;
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
MouseState = MouseState.New;
|
|
||||||
|
|
||||||
var existed = Elements.FirstOrDefault(e => e.ID == value.ID);
|
|
||||||
if (existed != null)
|
|
||||||
{
|
|
||||||
Elements.Remove(existed);
|
|
||||||
}
|
|
||||||
|
|
||||||
//if (DrawTemplate != null)
|
|
||||||
//{
|
|
||||||
// DrawTemplate.OnDrawDone += OnElementDrawDone;
|
|
||||||
//}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
string currentElementId = "";
|
|
||||||
string CurrentElementId
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return currentElementId;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (currentElementId != value)
|
|
||||||
{
|
|
||||||
currentElementId = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void OnElementDrawDone(IShapeElement ele)
|
|
||||||
{
|
|
||||||
//int maxIndex = 1;
|
|
||||||
//if (Elements.Count > 0)
|
|
||||||
//{
|
|
||||||
// maxIndex = Elements.Max(u => u.Index) + 1;
|
|
||||||
//}
|
|
||||||
//ele.Index = maxIndex;
|
|
||||||
//ele.Name = maxIndex.ToString();
|
|
||||||
|
|
||||||
//#region 获取基元的设备属性,目前包括运动坐标和相机参数
|
|
||||||
//SetElementDevicePara?.Invoke(ele);
|
|
||||||
//#endregion
|
|
||||||
|
|
||||||
//Elements.Add(ele);
|
|
||||||
//DrawTemplate = DrawTemplate?.Clone() as IShapeElement;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 状态变换
|
|
||||||
private void OnElementChangeMouseState(IShapeElement ele, ElementState preState, ElementState curState)
|
|
||||||
{
|
|
||||||
if (curState != ElementState.Normal)
|
|
||||||
{
|
|
||||||
switch (curState)
|
|
||||||
{
|
|
||||||
case ElementState.New:
|
|
||||||
MouseState = MouseState.New;
|
|
||||||
break;
|
|
||||||
case ElementState.Selected:
|
|
||||||
CurrentElementId = ele.ID;
|
|
||||||
Cursor = Cursors.Default;
|
|
||||||
break;
|
|
||||||
case ElementState.Moving:
|
|
||||||
MouseState = MouseState.MoveElement;
|
|
||||||
Cursor = Cursors.NoMove2D;
|
|
||||||
break;
|
|
||||||
case ElementState.Editing:
|
|
||||||
MouseState = MouseState.Editing;
|
|
||||||
Cursor = Cursors.Hand;
|
|
||||||
break;
|
|
||||||
case ElementState.MouseInSide:
|
|
||||||
MouseState = MouseState.InSideElement;
|
|
||||||
break;
|
|
||||||
case ElementState.MouseHover:
|
|
||||||
MouseState = MouseState.HoverElement;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchLeft:
|
|
||||||
Cursor = Cursors.SizeWE;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeft:
|
|
||||||
MouseState = MouseState.StretchingLeft;
|
|
||||||
Cursor = Cursors.SizeWE;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchBottom:
|
|
||||||
Cursor = Cursors.SizeNS;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingBottom:
|
|
||||||
MouseState = MouseState.StretchingBottom;
|
|
||||||
Cursor = Cursors.SizeNS;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchRight:
|
|
||||||
Cursor = Cursors.SizeWE;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRight:
|
|
||||||
MouseState = MouseState.StretchingRight;
|
|
||||||
Cursor = Cursors.SizeWE;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchTop:
|
|
||||||
Cursor = Cursors.SizeNS;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingTop:
|
|
||||||
MouseState = MouseState.StretchingTop;
|
|
||||||
Cursor = Cursors.SizeNS;
|
|
||||||
break;
|
|
||||||
|
|
||||||
case ElementState.CanStretchLeftLowerCorner:
|
|
||||||
Cursor = Cursors.SizeNESW;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeftLowerCorner:
|
|
||||||
MouseState = MouseState.StretchingLeftLowerCorner;
|
|
||||||
Cursor = Cursors.SizeNESW;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchLeftUpperCorner:
|
|
||||||
Cursor = Cursors.SizeNWSE;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeftUpperCorner:
|
|
||||||
MouseState = MouseState.StretchingLeftUpperCorner;
|
|
||||||
Cursor = Cursors.SizeNWSE;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchRightLowerCorner:
|
|
||||||
Cursor = Cursors.SizeNWSE;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRightLowerCorner:
|
|
||||||
MouseState = MouseState.StretchingRightLowerCorner;
|
|
||||||
Cursor = Cursors.SizeNWSE;
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchRightUpperCorner:
|
|
||||||
Cursor = Cursors.SizeNESW;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRightUpperCorner:
|
|
||||||
MouseState = MouseState.StretchingRightUpperCorner;
|
|
||||||
Cursor = Cursors.SizeNESW;
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
//MouseState = MouseState.Normal;
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
if (Elements.All(e => e.State == ElementState.Normal))
|
|
||||||
{
|
|
||||||
CurrentElementId = null;
|
|
||||||
|
|
||||||
if (preState == ElementState.Selected)
|
|
||||||
{
|
|
||||||
DrawTemplate = null;
|
|
||||||
}
|
|
||||||
else if (DrawTemplate != null)
|
|
||||||
{
|
|
||||||
MouseState = MouseState.New;
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
//MouseState = MouseState.Normal;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
this.Invalidate();
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 鼠标动作
|
|
||||||
private void Canvas_MouseWheel(object sender, MouseEventArgs e)
|
|
||||||
{
|
|
||||||
PointF prePoint = ToMapPoint(e.Location);
|
|
||||||
|
|
||||||
//先缩放
|
|
||||||
if (e.Delta > 0)
|
|
||||||
{
|
|
||||||
Matrix.Scale((float)1.1, (float)1.1);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
Matrix.Scale((float)0.9, (float)0.9);
|
|
||||||
}
|
|
||||||
|
|
||||||
PointF afterPoint = ToMapPoint(e.Location);
|
|
||||||
|
|
||||||
//后平移
|
|
||||||
Matrix.Translate(afterPoint.X - prePoint.X, afterPoint.Y - prePoint.Y);
|
|
||||||
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
PointF startPoint, currentPoint;
|
|
||||||
bool _isMouseBtnPressing = false;
|
|
||||||
|
|
||||||
private void Canvas_MouseDown(object sender, MouseEventArgs e)
|
|
||||||
{
|
|
||||||
PointF p = ToMapPoint(e.Location);
|
|
||||||
|
|
||||||
if (e.Button == MouseButtons.Left)
|
|
||||||
{
|
|
||||||
_isMouseBtnPressing = true;
|
|
||||||
|
|
||||||
switch (MouseState)
|
|
||||||
{
|
|
||||||
case MouseState.Normal:
|
|
||||||
startPoint = e.Location;
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingLeft:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingRight:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingTop:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingBottom:
|
|
||||||
break;
|
|
||||||
case MouseState.MoveElement:
|
|
||||||
break;
|
|
||||||
case MouseState.HoverElement:
|
|
||||||
case MouseState.InSideElement:
|
|
||||||
case MouseState.New:
|
|
||||||
DrawTemplate?.OnMouseDown(p);
|
|
||||||
break;
|
|
||||||
case MouseState.Editing:
|
|
||||||
break;
|
|
||||||
case MouseState.SelectionZone:
|
|
||||||
MouseState = MouseState.SelectionZoneDoing;
|
|
||||||
startPoint = p;
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach (IShapeElement ele in Elements)
|
|
||||||
{
|
|
||||||
ele.OnMouseDown(p);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else if (e.Button == MouseButtons.Right)
|
|
||||||
{
|
|
||||||
if (DrawTemplate != null && DrawTemplate.State == ElementState.New && DrawTemplate.IsCreatedDone())
|
|
||||||
{
|
|
||||||
IShapeElement ele = DrawTemplate.Clone() as IShapeElement;
|
|
||||||
ele.State = ElementState.Normal;
|
|
||||||
Elements.Add(ele);
|
|
||||||
|
|
||||||
// (DrawTemplate as ElementBase).Initial();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Canvas_MouseUp(object sender, MouseEventArgs e)
|
|
||||||
{
|
|
||||||
if (e.Button != MouseButtons.Left)
|
|
||||||
return;
|
|
||||||
|
|
||||||
_isMouseBtnPressing = false;
|
|
||||||
switch (MouseState)
|
|
||||||
{
|
|
||||||
case MouseState.Normal:
|
|
||||||
break;
|
|
||||||
case MouseState.HoverElement:
|
|
||||||
break;
|
|
||||||
case MouseState.InSideElement:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingLeft:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingRight:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingTop:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingBottom:
|
|
||||||
break;
|
|
||||||
case MouseState.MoveElement:
|
|
||||||
//MouseState = MouseState.SelectedElement;
|
|
||||||
break;
|
|
||||||
case MouseState.New:
|
|
||||||
break;
|
|
||||||
case MouseState.Editing:
|
|
||||||
break;
|
|
||||||
case MouseState.MovingAll:
|
|
||||||
MouseState = MouseState.Normal;
|
|
||||||
break;
|
|
||||||
case MouseState.SelectionZone:
|
|
||||||
break;
|
|
||||||
case MouseState.SelectionZoneDoing:
|
|
||||||
MouseState = MouseState.SelectionZone;
|
|
||||||
|
|
||||||
foreach (IShapeElement ele in Elements)
|
|
||||||
{
|
|
||||||
ele.State = ElementState.Normal;
|
|
||||||
if (ele.IsIntersect(_selectionRect))
|
|
||||||
{
|
|
||||||
ele.State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
Cursor = Cursors.Default;
|
|
||||||
|
|
||||||
if (MouseState != MouseState.SelectionZone)
|
|
||||||
{
|
|
||||||
PointF p = ToMapPoint(e.Location);
|
|
||||||
DrawTemplate?.OnMouseUp(p);
|
|
||||||
foreach (IShapeElement ele in Elements)
|
|
||||||
{
|
|
||||||
ele.OnMouseUp(p);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Canvas_MouseMove(object sender, MouseEventArgs e)
|
|
||||||
{
|
|
||||||
PointF p = ToMapPoint(e.Location);
|
|
||||||
|
|
||||||
switch (MouseState)
|
|
||||||
{
|
|
||||||
case MouseState.Normal:
|
|
||||||
{
|
|
||||||
if (_isMouseBtnPressing)
|
|
||||||
{
|
|
||||||
currentPoint = e.Location;
|
|
||||||
PointF p1 = ToMapPoint(startPoint);
|
|
||||||
PointF p2 = ToMapPoint(currentPoint);
|
|
||||||
Matrix.Translate(p2.X - p1.X, p2.Y - p1.Y);
|
|
||||||
startPoint = e.Location;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingLeft:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingRight:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingTop:
|
|
||||||
break;
|
|
||||||
case MouseState.StretchingBottom:
|
|
||||||
break;
|
|
||||||
case MouseState.MoveElement:
|
|
||||||
break;
|
|
||||||
case MouseState.HoverElement:
|
|
||||||
case MouseState.InSideElement:
|
|
||||||
case MouseState.New:
|
|
||||||
DrawTemplate?.OnMouseMove(p);
|
|
||||||
break;
|
|
||||||
case MouseState.Editing:
|
|
||||||
break;
|
|
||||||
case MouseState.MovingAll:
|
|
||||||
break;
|
|
||||||
case MouseState.SelectionZoneDoing:
|
|
||||||
{
|
|
||||||
currentPoint = p;
|
|
||||||
|
|
||||||
float[] x2 = new float[2] { startPoint.X, currentPoint.X };
|
|
||||||
float[] y2 = new float[2] { startPoint.Y, currentPoint.Y };
|
|
||||||
|
|
||||||
float xMin = x2.Min();
|
|
||||||
float xMax = x2.Max();
|
|
||||||
float yMin = y2.Min();
|
|
||||||
float yMax = y2.Max();
|
|
||||||
|
|
||||||
_selectionRect = new RectangleF(xMin, yMin, xMax - xMin, yMax - yMin);
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
PointF mapPoint = ToMapPoint(e.Location);
|
|
||||||
Color color = Color.Transparent;
|
|
||||||
if (MAP != null && mapPoint.X > 0 && mapPoint.X < MAP.Width && mapPoint.Y > 0 && mapPoint.Y < MAP.Height)
|
|
||||||
{
|
|
||||||
color = MAP.GetPixel((int)mapPoint.X, (int)mapPoint.Y);
|
|
||||||
}
|
|
||||||
|
|
||||||
// OnMouseLocationUpdated?.BeginInvoke(e.Location, mapPoint, color.Name, null, null);
|
|
||||||
Task.Run(() => OnMouseLocationUpdated?.Invoke(e.Location, mapPoint, color.Name));
|
|
||||||
|
|
||||||
if (MouseState != MouseState.SelectionZoneDoing)
|
|
||||||
{
|
|
||||||
Elements.ToList().ForEach(ele => ele?.OnMouseMove(p));
|
|
||||||
}
|
|
||||||
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
private void Canvas_MouseDoubleClick(object sender, MouseEventArgs e)
|
|
||||||
{
|
|
||||||
PointF p = ToMapPoint(e.Location);
|
|
||||||
|
|
||||||
if (e.Button == MouseButtons.Left)
|
|
||||||
{
|
|
||||||
switch (MouseState)
|
|
||||||
{
|
|
||||||
//case MouseState.SelectedElement:
|
|
||||||
case MouseState.HoverElement:
|
|
||||||
case MouseState.InSideElement:
|
|
||||||
case MouseState.MoveElement:
|
|
||||||
case MouseState.Normal:
|
|
||||||
//Elements.ForEach(ele =>
|
|
||||||
foreach (IShapeElement ele in Elements)
|
|
||||||
{
|
|
||||||
ele.OnMouseDoubleClick(p);
|
|
||||||
}
|
|
||||||
//);
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
//if (MouseState == MouseState.SelectedElement)
|
|
||||||
{
|
|
||||||
MouseState = MouseState.Normal;
|
|
||||||
|
|
||||||
//Elements.ForEach(ele =>
|
|
||||||
foreach (IShapeElement ele in Elements)
|
|
||||||
{
|
|
||||||
ele.State = ElementState.Normal;
|
|
||||||
}
|
|
||||||
//);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 图片操作
|
|
||||||
bool _firstLoad = true;
|
|
||||||
object _mapLoadLock = new object();
|
|
||||||
ManualResetEvent _mapLoadHandler = new ManualResetEvent(true);
|
|
||||||
ManualResetEvent _mapUsingHandler = new ManualResetEvent(false);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 载入图片
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="bitmap"></param>
|
|
||||||
public void LoadImage(Bitmap bitmap)
|
|
||||||
{
|
|
||||||
if (bitmap == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
////lock (_mapLoadLock)
|
|
||||||
////_mapUsingHandler.WaitOne();
|
|
||||||
//_mapLoadHandler.Reset();
|
|
||||||
//{
|
|
||||||
// map?.Dispose();
|
|
||||||
// map = null;
|
|
||||||
// map = bitmap;
|
|
||||||
//}
|
|
||||||
//_mapLoadHandler.Set();
|
|
||||||
|
|
||||||
MAP = bitmap;
|
|
||||||
|
|
||||||
if (_firstLoad)
|
|
||||||
{
|
|
||||||
SetScreenSize();
|
|
||||||
_firstLoad = false;
|
|
||||||
}
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Clear()
|
|
||||||
{
|
|
||||||
MAP = null;
|
|
||||||
Elements.Clear();
|
|
||||||
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设置图片为原始尺寸
|
|
||||||
/// </summary>
|
|
||||||
public void SetMapSize()
|
|
||||||
{
|
|
||||||
Matrix = new Matrix();
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设置图片为适配尺寸
|
|
||||||
/// </summary>
|
|
||||||
public void SetScreenSize()
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (MAP == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
Matrix = new Matrix();
|
|
||||||
|
|
||||||
//先缩放
|
|
||||||
List<float> ratios = new List<float>() { MAP.Width / (float)Width, MAP.Height / (float)Height };
|
|
||||||
float ratio = 1 / ratios.Max();
|
|
||||||
Matrix.Scale(ratio, ratio);
|
|
||||||
|
|
||||||
//再平移
|
|
||||||
//将plMain的中心转换为图片坐标
|
|
||||||
PointF screenCenter = new PointF(Width / 2.0f, Height / 2.0f);
|
|
||||||
PointF mapPoint = ToMapPoint(screenCenter);
|
|
||||||
|
|
||||||
//目标坐标减去当前坐标
|
|
||||||
Matrix.Translate(-MAP.Width / 2.0f + mapPoint.X, -MAP.Height / 2.0f + mapPoint.Y);
|
|
||||||
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
//Trace.TraceError(ex.GetExceptionMessage());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 私有方法
|
|
||||||
//private void DisplayMouseLocation(Point location)
|
|
||||||
//{
|
|
||||||
// string screenPoint = string.Format("屏幕坐标X:{0};Y:{1}", location.X, location.Y);
|
|
||||||
|
|
||||||
// Point mapPoint = ToMapPoint(location);
|
|
||||||
// string mapPointStr = string.Format("图片坐标X:{0};Y:{1}", mapPoint.X, mapPoint.Y);
|
|
||||||
|
|
||||||
// tsslLocation.Text = screenPoint + " " + mapPointStr;
|
|
||||||
//}
|
|
||||||
|
|
||||||
private PointF ToMapPoint(PointF p)
|
|
||||||
{
|
|
||||||
PointF[] ps = new PointF[] { p };
|
|
||||||
Matrix invertMatrix = Matrix.Clone();
|
|
||||||
invertMatrix.Invert();
|
|
||||||
invertMatrix.TransformPoints(ps);
|
|
||||||
|
|
||||||
return ps[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
private Point ToScreenPoint(Point p)
|
|
||||||
{
|
|
||||||
Point[] ps = new Point[] { p };
|
|
||||||
Matrix.TransformPoints(ps);
|
|
||||||
|
|
||||||
return ps[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 按键操作
|
|
||||||
public void OnCanvasKeyPressed(object sender, KeyPressEventArgs e)
|
|
||||||
{
|
|
||||||
//if (e.KeyChar == 27) //Esc
|
|
||||||
//{
|
|
||||||
// //if (MouseState == MouseState.SelectedElement)
|
|
||||||
// {
|
|
||||||
// MouseState = MouseState.Normal;
|
|
||||||
|
|
||||||
// //Elements.ForEach(ele =>
|
|
||||||
// foreach (IShapeElement ele in Elements)
|
|
||||||
// {
|
|
||||||
// ele.State = ElementState.Normal;
|
|
||||||
// }
|
|
||||||
// //);
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
//Invalidate();
|
|
||||||
}
|
|
||||||
|
|
||||||
public void OnCanvasKeyDown(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
if (e.KeyCode == Keys.Delete) //delete键
|
|
||||||
{
|
|
||||||
Elements.Remove(Elements.FirstOrDefault(u => u.ID == CurrentElementId));
|
|
||||||
}
|
|
||||||
|
|
||||||
if (e.KeyData == Keys.Escape) //Esc
|
|
||||||
{
|
|
||||||
if (DrawTemplate != null /*&& (DrawTemplate as ElementBase).CreatePoints.Count > 0*/)
|
|
||||||
{
|
|
||||||
DrawTemplate.Initial();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
DrawTemplate = null;
|
|
||||||
|
|
||||||
if (MouseState != MouseState.Normal)
|
|
||||||
{
|
|
||||||
MouseState = MouseState.Normal;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
Elements.ToList().ForEach(u => u.State = ElementState.Normal);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
//if (e.KeyData == Keys.Up)
|
|
||||||
//{
|
|
||||||
// Elements.ToList().ForEach(u =>
|
|
||||||
// {
|
|
||||||
// if (u.State == ElementState.Selected)
|
|
||||||
// {
|
|
||||||
// u.Translate(0, -1);
|
|
||||||
// }
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
//if (e.KeyData == Keys.Down)
|
|
||||||
//{
|
|
||||||
// Elements.ToList().ForEach(u =>
|
|
||||||
// {
|
|
||||||
// if (u.State == ElementState.Selected)
|
|
||||||
// {
|
|
||||||
// u.Translate(0, 1);
|
|
||||||
// }
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
//if (e.KeyData == Keys.Left)
|
|
||||||
//{
|
|
||||||
// Elements.ToList().ForEach(u =>
|
|
||||||
// {
|
|
||||||
// if (u.State == ElementState.Selected)
|
|
||||||
// {
|
|
||||||
// u.Translate(-1, 0);
|
|
||||||
// }
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
//if (e.KeyData == Keys.Right)
|
|
||||||
//{
|
|
||||||
// Elements.ToList().ForEach(u =>
|
|
||||||
// {
|
|
||||||
// if (u.State == ElementState.Selected)
|
|
||||||
// {
|
|
||||||
// u.Translate(1, 0);
|
|
||||||
// }
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 基元的设备属性 运动设置和相机设置
|
|
||||||
public Action<IShapeElement> SetElementDevicePara;
|
|
||||||
|
|
||||||
public Action<IShapeElement> SetDeviceByElement;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region Grid
|
|
||||||
private bool showGrid = false;
|
|
||||||
public bool ShowGrid
|
|
||||||
{
|
|
||||||
get => showGrid;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
showGrid = value;
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private int gridValue = 0;
|
|
||||||
public int GridValue
|
|
||||||
{
|
|
||||||
get => gridValue;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
gridValue = value;
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private Pen penGrid = new Pen(Color.FromArgb(120, Color.Red), 1.0f);
|
|
||||||
public Pen Pen_Grid
|
|
||||||
{
|
|
||||||
get => penGrid;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
penGrid = value;
|
|
||||||
Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
readonly int _minGridStep = 10;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region Dispose
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
MAP?.Dispose();
|
|
||||||
Matrix?.Dispose();
|
|
||||||
penGrid?.Dispose();
|
|
||||||
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
</root>
|
|
109
DH.UI.Model.Winform/Ctrl/GridCtrl.Designer.cs
generated
109
DH.UI.Model.Winform/Ctrl/GridCtrl.Designer.cs
generated
@ -1,109 +0,0 @@
|
|||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
partial class GridCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
this.chkShowGrid = new System.Windows.Forms.CheckBox();
|
|
||||||
this.tbGridValue = new System.Windows.Forms.TrackBar();
|
|
||||||
this.panel1 = new System.Windows.Forms.Panel();
|
|
||||||
this.colorDialog1 = new System.Windows.Forms.ColorDialog();
|
|
||||||
this.btnColor = new System.Windows.Forms.Button();
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.tbGridValue)).BeginInit();
|
|
||||||
this.panel1.SuspendLayout();
|
|
||||||
this.SuspendLayout();
|
|
||||||
//
|
|
||||||
// chkShowGrid
|
|
||||||
//
|
|
||||||
this.chkShowGrid.Appearance = System.Windows.Forms.Appearance.Button;
|
|
||||||
//this.chkShowGrid.BackgroundImage = global::XKRS.UI.Model.Winform.Properties.Resources.grid;
|
|
||||||
this.chkShowGrid.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
|
|
||||||
this.chkShowGrid.Dock = System.Windows.Forms.DockStyle.Top;
|
|
||||||
this.chkShowGrid.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.chkShowGrid.Name = "chkShowGrid";
|
|
||||||
this.chkShowGrid.Size = new System.Drawing.Size(32, 30);
|
|
||||||
this.chkShowGrid.TabIndex = 0;
|
|
||||||
this.chkShowGrid.UseVisualStyleBackColor = true;
|
|
||||||
this.chkShowGrid.CheckedChanged += new System.EventHandler(this.chkShowGrid_CheckedChanged);
|
|
||||||
//
|
|
||||||
// tbGridValue
|
|
||||||
//
|
|
||||||
this.tbGridValue.AutoSize = false;
|
|
||||||
this.tbGridValue.Dock = System.Windows.Forms.DockStyle.Bottom;
|
|
||||||
this.tbGridValue.Location = new System.Drawing.Point(0, 21);
|
|
||||||
this.tbGridValue.Name = "tbGridValue";
|
|
||||||
this.tbGridValue.Orientation = System.Windows.Forms.Orientation.Vertical;
|
|
||||||
this.tbGridValue.Size = new System.Drawing.Size(32, 121);
|
|
||||||
this.tbGridValue.TabIndex = 1;
|
|
||||||
this.tbGridValue.TickStyle = System.Windows.Forms.TickStyle.Both;
|
|
||||||
this.tbGridValue.ValueChanged += new System.EventHandler(this.tbGridValue_ValueChanged);
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
this.panel1.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left)
|
|
||||||
| System.Windows.Forms.AnchorStyles.Right)));
|
|
||||||
this.panel1.Controls.Add(this.chkShowGrid);
|
|
||||||
this.panel1.Controls.Add(this.tbGridValue);
|
|
||||||
this.panel1.Location = new System.Drawing.Point(1, 1);
|
|
||||||
this.panel1.Name = "panel1";
|
|
||||||
this.panel1.Size = new System.Drawing.Size(32, 142);
|
|
||||||
this.panel1.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// btnColor
|
|
||||||
//
|
|
||||||
this.btnColor.BackColor = System.Drawing.Color.Red;
|
|
||||||
this.btnColor.Location = new System.Drawing.Point(4, 150);
|
|
||||||
this.btnColor.Name = "btnColor";
|
|
||||||
this.btnColor.Size = new System.Drawing.Size(25, 23);
|
|
||||||
this.btnColor.TabIndex = 3;
|
|
||||||
this.btnColor.Text = " ";
|
|
||||||
this.btnColor.UseVisualStyleBackColor = false;
|
|
||||||
this.btnColor.Click += new System.EventHandler(this.btnColor_Click);
|
|
||||||
//
|
|
||||||
// GridCtrl
|
|
||||||
//
|
|
||||||
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Inherit;
|
|
||||||
this.Controls.Add(this.btnColor);
|
|
||||||
this.Controls.Add(this.panel1);
|
|
||||||
this.Font = new System.Drawing.Font("Tahoma", 11F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.World, ((byte)(134)));
|
|
||||||
this.Name = "GridCtrl";
|
|
||||||
this.Size = new System.Drawing.Size(32, 192);
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.tbGridValue)).EndInit();
|
|
||||||
this.panel1.ResumeLayout(false);
|
|
||||||
this.ResumeLayout(false);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private System.Windows.Forms.CheckBox chkShowGrid;
|
|
||||||
private System.Windows.Forms.TrackBar tbGridValue;
|
|
||||||
private System.Windows.Forms.Panel panel1;
|
|
||||||
private System.Windows.Forms.ColorDialog colorDialog1;
|
|
||||||
private System.Windows.Forms.Button btnColor;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,74 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
public partial class GridCtrl : UserControl
|
|
||||||
{
|
|
||||||
public Action<bool> IsShowGridChanged { get; set; }
|
|
||||||
|
|
||||||
public Action<int> GridValueChanged { get; set; }
|
|
||||||
|
|
||||||
public Action<Color> GridColorChanged { get; set; }
|
|
||||||
|
|
||||||
public GridCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
IsChecked = chkShowGrid.Checked;
|
|
||||||
GridValue = tbGridValue.Value;
|
|
||||||
}
|
|
||||||
|
|
||||||
bool isChecked = false;
|
|
||||||
bool IsChecked
|
|
||||||
{
|
|
||||||
get => isChecked;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (isChecked != value)
|
|
||||||
{
|
|
||||||
// IsShowGridChanged?.BeginInvoke(value, null, null);
|
|
||||||
Task.Run(() => IsShowGridChanged.Invoke(value));
|
|
||||||
}
|
|
||||||
|
|
||||||
isChecked = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
int gridValue = 0;
|
|
||||||
int GridValue
|
|
||||||
{
|
|
||||||
get => gridValue;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (gridValue != value)
|
|
||||||
{
|
|
||||||
// GridValueChanged?.BeginInvoke(value, null, null);
|
|
||||||
Task.Run(() => GridValueChanged.Invoke(value));
|
|
||||||
}
|
|
||||||
|
|
||||||
gridValue = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
private void chkShowGrid_CheckedChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
IsChecked = chkShowGrid.Checked;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void tbGridValue_ValueChanged(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
GridValue = tbGridValue.Value;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void btnColor_Click(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
if (colorDialog1.ShowDialog() == DialogResult.OK)
|
|
||||||
{
|
|
||||||
btnColor.BackColor = colorDialog1.Color;
|
|
||||||
// GridColorChanged?.BeginInvoke(btnColor.BackColor, null, null);
|
|
||||||
Task.Run(() => GridColorChanged.Invoke(btnColor.BackColor));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
</root>
|
|
@ -1,12 +0,0 @@
|
|||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
public class GridCtrlHost : ToolStripControlHost
|
|
||||||
{
|
|
||||||
public GridCtrlHost(GridCtrl grid) : base(grid)
|
|
||||||
{
|
|
||||||
//Font = new System.Drawing.Font("Tahoma", 11F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.World, 134);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
78
DH.UI.Model.Winform/Ctrl/IOIndicatorCtrl.Designer.cs
generated
78
DH.UI.Model.Winform/Ctrl/IOIndicatorCtrl.Designer.cs
generated
@ -1,78 +0,0 @@
|
|||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
partial class IOIndicatorCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
plStatus = new Panel();
|
|
||||||
lblDesc = new Label();
|
|
||||||
SuspendLayout();
|
|
||||||
//
|
|
||||||
// plStatus
|
|
||||||
//
|
|
||||||
plStatus.Anchor = AnchorStyles.Top | AnchorStyles.Bottom | AnchorStyles.Left;
|
|
||||||
plStatus.Location = new Point(0, 0);
|
|
||||||
plStatus.Margin = new Padding(4);
|
|
||||||
plStatus.Name = "plStatus";
|
|
||||||
plStatus.Size = new Size(28, 34);
|
|
||||||
plStatus.TabIndex = 0;
|
|
||||||
plStatus.Paint += plStatus_Paint;
|
|
||||||
plStatus.DoubleClick += plStatus_DoubleClick;
|
|
||||||
//
|
|
||||||
// lblDesc
|
|
||||||
//
|
|
||||||
lblDesc.Anchor = AnchorStyles.Top | AnchorStyles.Bottom | AnchorStyles.Left | AnchorStyles.Right;
|
|
||||||
lblDesc.AutoSize = true;
|
|
||||||
lblDesc.Font = new Font("Tahoma", 11F, FontStyle.Regular, GraphicsUnit.World);
|
|
||||||
lblDesc.Location = new Point(36, 11);
|
|
||||||
lblDesc.Margin = new Padding(4, 0, 4, 0);
|
|
||||||
lblDesc.Name = "lblDesc";
|
|
||||||
lblDesc.Size = new Size(31, 13);
|
|
||||||
lblDesc.TabIndex = 1;
|
|
||||||
lblDesc.Text = "XXXX";
|
|
||||||
lblDesc.TextAlign = ContentAlignment.MiddleLeft;
|
|
||||||
lblDesc.DoubleClick += lblDesc_DoubleClick;
|
|
||||||
//
|
|
||||||
// IOIndicatorCtrl
|
|
||||||
//
|
|
||||||
AutoScaleDimensions = new SizeF(7F, 17F);
|
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
|
||||||
Controls.Add(lblDesc);
|
|
||||||
Controls.Add(plStatus);
|
|
||||||
Margin = new Padding(4);
|
|
||||||
Name = "IOIndicatorCtrl";
|
|
||||||
Size = new Size(138, 34);
|
|
||||||
ResumeLayout(false);
|
|
||||||
PerformLayout();
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private Panel plStatus;
|
|
||||||
private Label lblDesc;
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,126 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
public partial class IOIndicatorCtrl : UserControl
|
|
||||||
{
|
|
||||||
public IOIndicatorCtrl()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
}
|
|
||||||
|
|
||||||
private bool isON = false;
|
|
||||||
|
|
||||||
public bool IsOn
|
|
||||||
{
|
|
||||||
get => isON;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
bool? temp = isON;
|
|
||||||
isON = value;
|
|
||||||
|
|
||||||
if (temp != isON)
|
|
||||||
{
|
|
||||||
RefreshStatus();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private void RefreshStatus()
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(new Action(() => RefreshStatus()));
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
plStatus.Invalidate();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private string desc = "";
|
|
||||||
public string Desc
|
|
||||||
{
|
|
||||||
get => desc;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
desc = value;
|
|
||||||
|
|
||||||
DisplayDesc();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public int Index { get; set; }
|
|
||||||
|
|
||||||
private void DisplayDesc()
|
|
||||||
{
|
|
||||||
if (InvokeRequired)
|
|
||||||
{
|
|
||||||
Invoke(new Action(() => DisplayDesc()));
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
lblDesc.Text = Desc;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
readonly PointF[] regionBlink = new PointF[]
|
|
||||||
{
|
|
||||||
new PointF(5,10),
|
|
||||||
new PointF(10,13),
|
|
||||||
new PointF(12,7),
|
|
||||||
new PointF(10,5)
|
|
||||||
};
|
|
||||||
|
|
||||||
public IOIndicatorCtrl(bool _isOn, string _desc, int index = 0)
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
|
|
||||||
IsOn = _isOn;
|
|
||||||
Desc = _desc;
|
|
||||||
Index = index;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 更新绘制图标
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="sender"></param>
|
|
||||||
/// <param name="e"></param>
|
|
||||||
private void plStatus_Paint(object sender, PaintEventArgs e)
|
|
||||||
{
|
|
||||||
Panel pl = sender as Panel;
|
|
||||||
|
|
||||||
Graphics g = e.Graphics;
|
|
||||||
|
|
||||||
g.Clear(SystemColors.Control);
|
|
||||||
|
|
||||||
|
|
||||||
if (IsOn)
|
|
||||||
{
|
|
||||||
g.FillEllipse(Brushes.LightGreen, pl.ClientRectangle);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
g.FillEllipse(Brushes.Gray, pl.ClientRectangle);
|
|
||||||
}
|
|
||||||
|
|
||||||
g.FillPolygon(Brushes.White, regionBlink);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
public event Action<string, bool, int> OnIODoubleClick;
|
|
||||||
|
|
||||||
|
|
||||||
private void lblDesc_DoubleClick(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OnIODoubleClick?.Invoke(Name, IsOn, Index);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void plStatus_DoubleClick(object sender, EventArgs e)
|
|
||||||
{
|
|
||||||
OnIODoubleClick?.Invoke(Name, IsOn, Index);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,120 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing"">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
</root>
|
|
@ -1,48 +0,0 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk.WindowsDesktop">
|
|
||||||
|
|
||||||
<PropertyGroup>
|
|
||||||
<TargetFramework>net8.0-windows</TargetFramework>
|
|
||||||
<ImplicitUsings>enable</ImplicitUsings>
|
|
||||||
<Nullable>enable</Nullable>
|
|
||||||
<BaseOutputPath>..\</BaseOutputPath>
|
|
||||||
<AppendTargetFrameworkToOutputPath>output</AppendTargetFrameworkToOutputPath>
|
|
||||||
<UseWindowsForms>true</UseWindowsForms>
|
|
||||||
<Platforms>AnyCPU;x64</Platforms>
|
|
||||||
</PropertyGroup>
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\DH.Commons\DH.Commons.csproj" />
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<Compile Update="Properties\Resources.Designer.cs">
|
|
||||||
<DesignTime>True</DesignTime>
|
|
||||||
<AutoGen>True</AutoGen>
|
|
||||||
<DependentUpon>Resources.resx</DependentUpon>
|
|
||||||
</Compile>
|
|
||||||
<Compile Update="Properties\Settings.Designer.cs">
|
|
||||||
<DesignTimeSharedInput>True</DesignTimeSharedInput>
|
|
||||||
<DependentUpon>Settings.settings</DependentUpon>
|
|
||||||
<AutoGen>True</AutoGen>
|
|
||||||
</Compile>
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
<ItemGroup>
|
|
||||||
<None Update="Properties\Settings.settings">
|
|
||||||
<LastGenOutput>Settings.Designer.cs</LastGenOutput>
|
|
||||||
<Generator>SettingsSingleFileGenerator</Generator>
|
|
||||||
</None>
|
|
||||||
</ItemGroup>
|
|
||||||
|
|
||||||
</Project>
|
|
@ -1,199 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Drawing;
|
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
//public static class AOIEnumHelper
|
|
||||||
//{
|
|
||||||
// public enum ElementState
|
|
||||||
// {
|
|
||||||
// New = 1,
|
|
||||||
// MouseHover = 2,
|
|
||||||
// MouseInSide = 3,
|
|
||||||
// Selected = 4,
|
|
||||||
// Moving = 5,
|
|
||||||
|
|
||||||
// Normal = 11,
|
|
||||||
|
|
||||||
// Measuring = 21,
|
|
||||||
// MeasureDoneOK = 22,
|
|
||||||
// MeasureDoneNG = 23,
|
|
||||||
// }
|
|
||||||
|
|
||||||
// public enum MouseState
|
|
||||||
// {
|
|
||||||
// Normal = 1,
|
|
||||||
// HoverElement = 2,
|
|
||||||
// InSideElement = 3,
|
|
||||||
|
|
||||||
// StretchingLeft = 11,
|
|
||||||
// StretchingRight = 12,
|
|
||||||
// StretchingUp = 13,
|
|
||||||
// StretchingDown = 14,
|
|
||||||
// MoveElement = 15,
|
|
||||||
|
|
||||||
// New = 21,
|
|
||||||
// Editing = 22,
|
|
||||||
// SelectedElement = 23,
|
|
||||||
|
|
||||||
// MovingAll = 31,
|
|
||||||
|
|
||||||
// SelectionZone = 41,
|
|
||||||
// SelectionZoneDoing = 42,
|
|
||||||
// }
|
|
||||||
|
|
||||||
// public enum RunMode
|
|
||||||
// {
|
|
||||||
// [Description("设置模式")]
|
|
||||||
// SetMode = 0,
|
|
||||||
// [Description("运行模式")]
|
|
||||||
// RunMode = 1,
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
public static class EventRouter
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// ElementBase 基元
|
|
||||||
/// 1st MouseState 初始状态
|
|
||||||
/// 2nd MouseState 变化状态
|
|
||||||
/// </summary>
|
|
||||||
public static event Action<ElementBase, ElementState, ElementState> ChangeElementsMouseState;
|
|
||||||
|
|
||||||
public static void TriggerElementsMouseStateChanged(ElementBase ele, ElementState preState, ElementState curState)
|
|
||||||
{
|
|
||||||
ChangeElementsMouseState?.Invoke(ele, preState, curState);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public class NoticedPoints : List<PointF>
|
|
||||||
{
|
|
||||||
public Action OnItemChanged;
|
|
||||||
|
|
||||||
public NoticedPoints() { }
|
|
||||||
|
|
||||||
public NoticedPoints(List<PointF> points)
|
|
||||||
{
|
|
||||||
AddRange(points);
|
|
||||||
}
|
|
||||||
|
|
||||||
public new PointF this[int index]
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
if (index >= 0 && index < Count)
|
|
||||||
{
|
|
||||||
return base[index];
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return new Point();
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (base[index] != value)
|
|
||||||
{
|
|
||||||
base[index] = value;
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void Add(PointF item)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.Add(item);
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void AddRange(IEnumerable<PointF> collection)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.AddRange(collection);
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void Clear()
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.Clear();
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void Insert(int index, PointF item)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.Insert(index, item);
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void InsertRange(int index, IEnumerable<PointF> collection)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.InsertRange(index, collection);
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new bool Remove(PointF item)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
bool flag = base.Remove(item);
|
|
||||||
|
|
||||||
if (flag)
|
|
||||||
{
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
|
|
||||||
return flag;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new int RemoveAll(Predicate<PointF> match)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
int i = base.RemoveAll(match);
|
|
||||||
if (i > 0)
|
|
||||||
{
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
|
|
||||||
return i;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void RemoveAt(int index)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.RemoveAt(index);
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public new void RemoveRange(int index, int count)
|
|
||||||
{
|
|
||||||
lock (this)
|
|
||||||
{
|
|
||||||
base.RemoveRange(index, count);
|
|
||||||
OnItemChanged?.Invoke();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,980 +0,0 @@
|
|||||||
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
using System.Text.Json.Serialization;
|
|
||||||
using DH.Commons.Enums;
|
|
||||||
using static DH.Commons.Enums.EnumHelper;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
[Serializable]
|
|
||||||
public abstract class ElementBase : IShapeElement, IEventHandle, ICloneable, IComparable<ElementBase>, IDisposable
|
|
||||||
{
|
|
||||||
#region 常量
|
|
||||||
protected int _mouseIntersectDistance = 4;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 标识符
|
|
||||||
/// <summary>
|
|
||||||
/// ID,采用GUID
|
|
||||||
/// </summary>
|
|
||||||
[ReadOnly(true)]
|
|
||||||
[Category("\t通用标识")]
|
|
||||||
[Description("GUID")]
|
|
||||||
public virtual string ID { get; set; } = Guid.NewGuid().ToString().ToUpper();
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 序号
|
|
||||||
/// </summary>
|
|
||||||
[Category("\t通用标识")]
|
|
||||||
[Description("序号")]
|
|
||||||
public virtual int Index { get; set; } = 0;
|
|
||||||
|
|
||||||
[Browsable(false)]
|
|
||||||
public virtual int GroupIndex { get; set; } = 0;
|
|
||||||
|
|
||||||
private string name = "";
|
|
||||||
/// <summary>
|
|
||||||
/// 名称
|
|
||||||
/// </summary>
|
|
||||||
[Category("\t通用标识")]
|
|
||||||
[Description("名称")]
|
|
||||||
public virtual string Name
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
if (string.IsNullOrWhiteSpace(name))
|
|
||||||
{
|
|
||||||
return GetDisplayText();
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
return name;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
set => name = value;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 启用状态
|
|
||||||
private bool isEnabled = true;
|
|
||||||
|
|
||||||
//[Browsable(false)]
|
|
||||||
public virtual bool IsEnabled
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return isEnabled;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
//if (isEnabled != value)
|
|
||||||
//{
|
|
||||||
// isEnabled = value;
|
|
||||||
|
|
||||||
// PropertyChanged?.BeginInvoke(this, new PropertyChangedEventArgs("IsEnabled"), null, null);
|
|
||||||
//}
|
|
||||||
|
|
||||||
Set(ref isEnabled, value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[Browsable(false)]
|
|
||||||
public virtual bool IsShowing { get; set; } = true;
|
|
||||||
|
|
||||||
private bool showList = true;
|
|
||||||
[Browsable(false)]
|
|
||||||
public virtual bool ShowList
|
|
||||||
{
|
|
||||||
get => showList;
|
|
||||||
set => Set(ref showList, value);
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 字段
|
|
||||||
[JsonIgnore]
|
|
||||||
protected PointF _startPoint, _currentPoint;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 绘图特性
|
|
||||||
[Browsable(false)]
|
|
||||||
public NoticedPoints CreatePoints { get; set; } = new NoticedPoints();
|
|
||||||
|
|
||||||
public virtual bool IsCreatedDone()
|
|
||||||
{
|
|
||||||
return CreatePoints.Count >= 2;
|
|
||||||
}
|
|
||||||
|
|
||||||
//protected Region Region { get; set; }
|
|
||||||
|
|
||||||
#region 画笔相关
|
|
||||||
#region 绘图画笔
|
|
||||||
[JsonIgnore]
|
|
||||||
[Browsable(false)]
|
|
||||||
protected Pen Pen { get; set; } = new Pen(Color.Red, 1);
|
|
||||||
|
|
||||||
protected virtual void SetNewStatePen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.Red, 3);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetNormalPen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.Red, 1);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetHoverPen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.BlueViolet, 3);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetInSidePen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.YellowGreen, 3);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetSelectedPen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.Pink, 3);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetMeasureDoneOKPen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.Green, 2);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetMeasureDoneNGPen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.Red, 2);
|
|
||||||
}
|
|
||||||
|
|
||||||
protected virtual void SetMeasuringPen()
|
|
||||||
{
|
|
||||||
Pen = new Pen(Color.Yellow, 3);
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 文字画笔
|
|
||||||
//[JsonIgnore]
|
|
||||||
//protected Pen PenText = new Pen(Color.Black, 1);
|
|
||||||
//[JsonIgnore]
|
|
||||||
//protected Pen PenTextOK = new Pen(Color.Green, 1.5f);
|
|
||||||
//[JsonIgnore]
|
|
||||||
//protected Pen PenTextNG = new Pen(Color.Red, 2);
|
|
||||||
|
|
||||||
///// <summary>
|
|
||||||
///// 字体大小
|
|
||||||
///// </summary>
|
|
||||||
//[Category("显示属性")]
|
|
||||||
//[Description("字体大小")]
|
|
||||||
////[Browsable(false)]
|
|
||||||
//public virtual float FontSize { get; set; } = 15;
|
|
||||||
/// <summary>
|
|
||||||
/// 字体大小
|
|
||||||
/// </summary>
|
|
||||||
[Category("显示属性")]
|
|
||||||
[Description("字体设置")]
|
|
||||||
[Browsable(false)]
|
|
||||||
public virtual Font Font { get; set; } = new Font(new FontFamily("Tahoma"), 15, GraphicsUnit.World);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 字体和基元的距离
|
|
||||||
/// </summary>
|
|
||||||
[Category("显示属性")]
|
|
||||||
[Description("字体和基元的距离")]
|
|
||||||
[Browsable(false)]
|
|
||||||
public virtual int FontDistance { get; set; } = 15;
|
|
||||||
|
|
||||||
[Category("显示属性")]
|
|
||||||
[Description("显示字符说明")]
|
|
||||||
[Browsable(false)]
|
|
||||||
public virtual bool IsShowRemark { get; set; } = true;
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
//public Graphics Graphics { get; set; }
|
|
||||||
public abstract void Draw(Graphics g);
|
|
||||||
protected abstract void DrawResult(Graphics g);
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 状态
|
|
||||||
private ElementState state = ElementState.New;
|
|
||||||
[JsonIgnore]
|
|
||||||
[Browsable(false)]
|
|
||||||
public ElementState State
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return state;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (state != value)
|
|
||||||
{
|
|
||||||
ElementState preState = state;
|
|
||||||
Set(ref state, value);
|
|
||||||
EventRouter.TriggerElementsMouseStateChanged(this, preState, state);
|
|
||||||
switch (state)
|
|
||||||
{
|
|
||||||
case ElementState.MouseHover:
|
|
||||||
SetHoverPen();
|
|
||||||
break;
|
|
||||||
case ElementState.MouseInSide:
|
|
||||||
SetInSidePen();
|
|
||||||
break;
|
|
||||||
case ElementState.Selected:
|
|
||||||
SetSelectedPen();
|
|
||||||
break;
|
|
||||||
case ElementState.Normal:
|
|
||||||
SetNormalPen();
|
|
||||||
break;
|
|
||||||
case ElementState.Measuring:
|
|
||||||
SetMeasuringPen();
|
|
||||||
break;
|
|
||||||
case ElementState.MeasureDoneOK:
|
|
||||||
SetMeasureDoneOKPen();
|
|
||||||
break;
|
|
||||||
case ElementState.MeasureDoneNG:
|
|
||||||
SetMeasureDoneNGPen();
|
|
||||||
break;
|
|
||||||
case ElementState.New:
|
|
||||||
SetNewStatePen();
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 是否是运行模式
|
|
||||||
/// </summary>
|
|
||||||
[Browsable(false)]
|
|
||||||
public RunMode RunMode { get; set; } = RunMode.NormalMode;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 复制
|
|
||||||
public abstract object Clone();
|
|
||||||
|
|
||||||
public virtual void Initial()
|
|
||||||
{
|
|
||||||
State = ElementState.New;
|
|
||||||
CreatePoints = new NoticedPoints();
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region IMouseEvent
|
|
||||||
public virtual void OnMouseDoubleClick(PointF p)
|
|
||||||
{
|
|
||||||
if (State == ElementState.MeasureDoneNG || State == ElementState.MeasureDoneOK)
|
|
||||||
return;
|
|
||||||
|
|
||||||
//if (State == ElementState.MouseInSide)
|
|
||||||
//{
|
|
||||||
// State = ElementState.Selected;
|
|
||||||
//}
|
|
||||||
//else if (State == ElementState.Selected || State == ElementState.Moving)
|
|
||||||
//{
|
|
||||||
// if (IsMouseInSide(p))
|
|
||||||
// {
|
|
||||||
// State = ElementState.MouseInSide;
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
if (IsMouseInSide(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public abstract void OnKeyDown(object sender, KeyEventArgs e);
|
|
||||||
|
|
||||||
public abstract void OnKeyUp(object sender, KeyEventArgs e);
|
|
||||||
|
|
||||||
public virtual void OnMouseDown(PointF p)
|
|
||||||
{
|
|
||||||
//switch (State)
|
|
||||||
//{
|
|
||||||
// case ElementState.New:
|
|
||||||
// OnMouseDownWhenNew(p);
|
|
||||||
// break;
|
|
||||||
// case ElementState.MouseHover:
|
|
||||||
// break;
|
|
||||||
// case ElementState.MouseInSide:
|
|
||||||
// State = ElementState.Selected;
|
|
||||||
// break;
|
|
||||||
// case ElementState.Selected:
|
|
||||||
// _startPoint = p;
|
|
||||||
// State = ElementState.Moving;
|
|
||||||
// break;
|
|
||||||
// case ElementState.Normal:
|
|
||||||
// break;
|
|
||||||
//}
|
|
||||||
if (State == ElementState.New)
|
|
||||||
{
|
|
||||||
OnMouseDownWhenNew(p);
|
|
||||||
}
|
|
||||||
else if (IsMouseCanMoveElement(p) && State == ElementState.Selected)
|
|
||||||
{
|
|
||||||
State = ElementState.Moving;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchBottom(p) && State == ElementState.CanStretchBottom)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingBottom;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchTop(p) && State == ElementState.CanStretchTop)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingTop;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchLeft(p) && State == ElementState.CanStretchLeft)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingLeft;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchRight(p) && State == ElementState.CanStretchRight)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingRight;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchLeftLowerCorner(p) && State == ElementState.CanStretchLeftLowerCorner)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingLeftLowerCorner;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchLeftUpperCorner(p) && State == ElementState.CanStretchLeftUpperCorner)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingLeftUpperCorner;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchRightLowerCorner(p) && State == ElementState.CanStretchRightLowerCorner)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingRightLowerCorner;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchRightUpperCorner(p) && State == ElementState.CanStretchRightUpperCorner)
|
|
||||||
{
|
|
||||||
State = ElementState.StretchingRightUpperCorner;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void OnMouseMove(PointF p)
|
|
||||||
{
|
|
||||||
switch (State)
|
|
||||||
{
|
|
||||||
case ElementState.New:
|
|
||||||
OnMouseMoveWhenNew(p);
|
|
||||||
break;
|
|
||||||
case ElementState.Selected:
|
|
||||||
{
|
|
||||||
if (IsMouseCanStretchLeft(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchLeft;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchRight(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchRight;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchTop(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchTop;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchBottom(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchBottom;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchLeftLowerCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchLeftLowerCorner;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchLeftUpperCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchLeftUpperCorner;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchRightLowerCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchRightLowerCorner;
|
|
||||||
}
|
|
||||||
else if (IsMouseCanStretchRightUpperCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.CanStretchRightUpperCorner;
|
|
||||||
}
|
|
||||||
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
case ElementState.Moving:
|
|
||||||
_currentPoint = p;
|
|
||||||
//Translate(_currentPoint.X - _startPoint.X, _currentPoint.Y - _startPoint.Y);
|
|
||||||
//_startPoint = _currentPoint;
|
|
||||||
Relocate(p);
|
|
||||||
break;
|
|
||||||
case ElementState.MouseHover:
|
|
||||||
case ElementState.MouseInSide:
|
|
||||||
case ElementState.Normal:
|
|
||||||
//if (IsMouseInSide(p))
|
|
||||||
//{
|
|
||||||
// State = ElementState.MouseInSide;
|
|
||||||
//}
|
|
||||||
//else if (IsMouseHover(p))
|
|
||||||
//{
|
|
||||||
// State = ElementState.MouseHover;
|
|
||||||
//}
|
|
||||||
//else
|
|
||||||
//{
|
|
||||||
// State = ElementState.Normal;
|
|
||||||
//}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchBottom:
|
|
||||||
if (!IsMouseCanStretchBottom(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchTop:
|
|
||||||
if (!IsMouseCanStretchTop(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchLeft:
|
|
||||||
if (!IsMouseCanStretchLeft(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchRight:
|
|
||||||
if (!IsMouseCanStretchRight(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchLeftUpperCorner:
|
|
||||||
if (!IsMouseCanStretchLeftUpperCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchLeftLowerCorner:
|
|
||||||
if (!IsMouseCanStretchLeftLowerCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchRightLowerCorner:
|
|
||||||
if (!IsMouseCanStretchRightLowerCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.CanStretchRightUpperCorner:
|
|
||||||
if (!IsMouseCanStretchRightUpperCorner(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Selected;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingTop:
|
|
||||||
StretchTop(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingBottom:
|
|
||||||
StretchBottom(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeft:
|
|
||||||
StretchLeft(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRight:
|
|
||||||
StretchRight(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeftLowerCorner:
|
|
||||||
StretchLeftLowerCorner(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeftUpperCorner:
|
|
||||||
StretchLeftUpperCorner(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRightLowerCorner:
|
|
||||||
StretchRightLowerCorner(p);
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRightUpperCorner:
|
|
||||||
StretchRightUpperCorner(p);
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void OnMouseUp(PointF p)
|
|
||||||
{
|
|
||||||
switch (State)
|
|
||||||
{
|
|
||||||
case ElementState.New:
|
|
||||||
OnMouseUpWhenNew(p);
|
|
||||||
break;
|
|
||||||
case ElementState.Moving:
|
|
||||||
State = ElementState.Selected;
|
|
||||||
break;
|
|
||||||
case ElementState.Selected:
|
|
||||||
if (!IsMouseInSide(p))
|
|
||||||
{
|
|
||||||
State = ElementState.Normal;
|
|
||||||
}
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingBottom:
|
|
||||||
State = ElementState.CanStretchBottom;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeft:
|
|
||||||
State = ElementState.CanStretchLeft;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRight:
|
|
||||||
State = ElementState.CanStretchRight;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingTop:
|
|
||||||
State = ElementState.CanStretchTop;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeftLowerCorner:
|
|
||||||
State = ElementState.CanStretchLeftLowerCorner;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingLeftUpperCorner:
|
|
||||||
State = ElementState.CanStretchLeftUpperCorner;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRightUpperCorner:
|
|
||||||
State = ElementState.CanStretchRightUpperCorner;
|
|
||||||
break;
|
|
||||||
case ElementState.StretchingRightLowerCorner:
|
|
||||||
State = ElementState.CanStretchRightLowerCorner;
|
|
||||||
break;
|
|
||||||
default:
|
|
||||||
State = ElementState.Normal;
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
AfterTranformOp();
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void AfterTranformOp()
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 当基元状态为新建或可编辑时的鼠标操作动作
|
|
||||||
/// <summary>
|
|
||||||
/// 当状态为New时的鼠标按下操作
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="p"></param>
|
|
||||||
public abstract void OnMouseDownWhenNew(PointF p);
|
|
||||||
|
|
||||||
public abstract void OnMouseMoveWhenNew(PointF p);
|
|
||||||
|
|
||||||
public abstract void OnMouseUpWhenNew(PointF p);
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 委托事件
|
|
||||||
[JsonIgnore]
|
|
||||||
public Action<ElementBase> OnDrawDone;
|
|
||||||
[JsonIgnore]
|
|
||||||
public Action<ElementBase> OnMeasureDone;
|
|
||||||
[JsonIgnore]
|
|
||||||
public Action<ElementBase> OnElementEnableChanged;
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 几何特性
|
|
||||||
/// <summary>
|
|
||||||
/// 基类基础的Rectangle 用于计算MouseHover和Inside等
|
|
||||||
/// </summary>
|
|
||||||
[Browsable(false)]
|
|
||||||
public Rectangle BaseRectangle { get; set; }
|
|
||||||
EnumHelper.ElementState IShapeElement.State { get => throw new NotImplementedException(); set => throw new NotImplementedException(); }
|
|
||||||
|
|
||||||
public abstract bool IsMouseHover(PointF p);
|
|
||||||
|
|
||||||
public abstract bool IsMouseInSide(PointF p);
|
|
||||||
|
|
||||||
public abstract bool IsIntersect(RectangleF rect);
|
|
||||||
#region Move & Stretch & Move Anchor
|
|
||||||
public virtual bool IsMouseCanMoveElement(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchLeft(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchRight(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchTop(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchBottom(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchLeft(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchRight(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchTop(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchBottom(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchLeftUpperCorner(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchRightUpperCorner(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchLeftLowerCorner(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanStretchRightLowerCorner(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchLeftUpperCorner(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchRightUpperCorner(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchLeftLowerCorner(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void StretchRightLowerCorner(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual bool IsMouseCanMoveAnchor(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 变形操作
|
|
||||||
public abstract void Translate(float x, float y);
|
|
||||||
|
|
||||||
public virtual void Relocate(PointF point) { }
|
|
||||||
|
|
||||||
//public abstract void RotateAt(int x, int y, float degree);
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 运动
|
|
||||||
//[Browsable(false)]
|
|
||||||
//public PlanPoint MovePoint { get; set; }
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 相机
|
|
||||||
//[Browsable(false)]
|
|
||||||
//public CameraOperationConfigBase CameraOpConfig { get; set; }
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 光源
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 算法
|
|
||||||
/// <summary>
|
|
||||||
/// 算法
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="paras">计算参数</param>
|
|
||||||
public virtual void Calculate(Bitmap image) { }
|
|
||||||
|
|
||||||
public virtual void Calculate(IntPtr imagePtr, int ptrSize, int imageWidth, int imageHeight) { }
|
|
||||||
|
|
||||||
public virtual void Calculate(string imagePath) { }
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 图片保存
|
|
||||||
//[Description("图片保存方式")]
|
|
||||||
//public ImageSaveMode ImageSaveMode { get; set; } = ImageSaveMode.NoSave;
|
|
||||||
|
|
||||||
//public virtual void SaveImage(Bitmap image)
|
|
||||||
//{
|
|
||||||
// if (string.IsNullOrWhiteSpace(AOIMeasure.GlobalVar.ImageSaveDirectory) || ImageSaveMode == ImageSaveMode.NoSave)
|
|
||||||
// {
|
|
||||||
// return;
|
|
||||||
// }
|
|
||||||
|
|
||||||
// DirectoryInfo dir = new DirectoryInfo(GlobalVar.ImageSaveDirectory);
|
|
||||||
// if (!dir.Exists)
|
|
||||||
// {
|
|
||||||
// dir.Create();
|
|
||||||
// }
|
|
||||||
|
|
||||||
// string imgPath = Path.Combine(AOIMeasure.GlobalVar.ImageSaveDirectory, Name + "_" + DateTime.Now.ToString("MMdd_HHmmss") + ".bmp");
|
|
||||||
// switch (ImageSaveMode)
|
|
||||||
// {
|
|
||||||
// case ImageSaveMode.SaveImage:
|
|
||||||
// image.Save(imgPath);
|
|
||||||
// break;
|
|
||||||
// case ImageSaveMode.SaveImageWithElement:
|
|
||||||
// Bitmap bmp = new Bitmap(image.Width, image.Height, PixelFormat.Format32bppArgb);
|
|
||||||
// using (Graphics g = Graphics.FromImage(bmp))
|
|
||||||
// {
|
|
||||||
// g.InterpolationMode = System.Drawing.Drawing2D.InterpolationMode.HighQualityBicubic;
|
|
||||||
// g.SmoothingMode = System.Drawing.Drawing2D.SmoothingMode.HighQuality;
|
|
||||||
// g.CompositingQuality = System.Drawing.Drawing2D.CompositingQuality.HighQuality;
|
|
||||||
// g.DrawImage(image, 0, 0, image.Width, image.Height);
|
|
||||||
|
|
||||||
// Draw(g);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// bmp.Save(imgPath);
|
|
||||||
// break;
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public virtual void SaveImage(IntPtr imagePtr, int ptrSize)
|
|
||||||
//{
|
|
||||||
// Bitmap map = null;
|
|
||||||
// unsafe
|
|
||||||
// {
|
|
||||||
// byte* pArray = (byte*)imagePtr;
|
|
||||||
// byte[] array = new byte[ptrSize];
|
|
||||||
// Marshal.Copy(imagePtr, array, 0, ptrSize);
|
|
||||||
// using (MemoryStream ms = new MemoryStream(array))
|
|
||||||
// {
|
|
||||||
// map = (Bitmap)Image.FromStream(ms);
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
|
|
||||||
// SaveImage(map);
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public virtual void SaveImage(string imagePath)
|
|
||||||
//{
|
|
||||||
// using (Bitmap map = Image.FromFile(imagePath) as Bitmap)
|
|
||||||
// {
|
|
||||||
// SaveImage(map);
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region 值设置
|
|
||||||
public virtual void InitialMeasureResult()
|
|
||||||
{
|
|
||||||
//PropertyInfo[] prop = this.GetType().GetProperties();
|
|
||||||
//Array.ForEach(prop, p =>
|
|
||||||
//{
|
|
||||||
// if ((p.PropertyType.Name == typeof(MeasureSpec).Name) && p.CanRead && p.CanWrite)
|
|
||||||
// {
|
|
||||||
// MeasureSpec spec = p.GetValue(this) as MeasureSpec;
|
|
||||||
// spec.Result = MeasureResult.NotYet;
|
|
||||||
// p.SetValue(this, spec);
|
|
||||||
// }
|
|
||||||
//});
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void SetActualValue(double v)
|
|
||||||
{
|
|
||||||
//PropertyInfo[] prop = this.GetType().GetProperties();
|
|
||||||
//Array.ForEach(prop, p =>
|
|
||||||
// {
|
|
||||||
// if ((p.PropertyType.Name == typeof(MeasureSpec).Name) && p.CanRead && p.CanWrite)
|
|
||||||
// {
|
|
||||||
// MeasureSpec spec = p.GetValue(this) as MeasureSpec;
|
|
||||||
// spec.ActualValue = (float)v;
|
|
||||||
// p.SetValue(this, spec);
|
|
||||||
// }
|
|
||||||
// });
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void SetStandardValue(double v)
|
|
||||||
{
|
|
||||||
//PropertyInfo[] prop = this.GetType().GetProperties();
|
|
||||||
//Array.ForEach(prop, p =>
|
|
||||||
//{
|
|
||||||
// if ((p.PropertyType.Name == typeof(MeasureSpec).Name) && p.CanRead && p.CanWrite)
|
|
||||||
// {
|
|
||||||
// MeasureSpec spec = p.GetValue(this) as MeasureSpec;
|
|
||||||
// spec.StandardValue = (float)v;
|
|
||||||
// p.SetValue(this, spec);
|
|
||||||
// }
|
|
||||||
//});
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region IPropertyChanged
|
|
||||||
public event PropertyChangedEventHandler PropertyChanged;
|
|
||||||
|
|
||||||
public virtual void Set<T>(ref T field, T newValue, [CallerMemberName] string propName = null)
|
|
||||||
{
|
|
||||||
if (!field.Equals(newValue))
|
|
||||||
{
|
|
||||||
field = newValue;
|
|
||||||
//PropertyChanged?.BeginInvoke(this, new PropertyChangedEventArgs(propName), null, null);
|
|
||||||
RaisePropertyChanged(propName);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public virtual void RaisePropertyChanged(string propName = "")
|
|
||||||
{
|
|
||||||
//PropertyChanged?.BeginInvoke(this, new PropertyChangedEventArgs(propName), null, null);
|
|
||||||
|
|
||||||
//Task.Run(() =>
|
|
||||||
//{
|
|
||||||
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propName));
|
|
||||||
//});
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
public override string ToString()
|
|
||||||
{
|
|
||||||
return GetDisplayText();
|
|
||||||
}
|
|
||||||
|
|
||||||
public abstract string GetDisplayText();
|
|
||||||
|
|
||||||
#region IComparable
|
|
||||||
public virtual int CompareTo(ElementBase other)
|
|
||||||
{
|
|
||||||
//throw new NotImplementedException();
|
|
||||||
return Index - other.Index;
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region IDisposable Support
|
|
||||||
private bool disposedValue = false; // 要检测冗余调用
|
|
||||||
|
|
||||||
protected virtual void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (!disposedValue)
|
|
||||||
{
|
|
||||||
if (disposing)
|
|
||||||
{
|
|
||||||
// 释放托管状态(托管对象)。
|
|
||||||
Pen?.Dispose();
|
|
||||||
}
|
|
||||||
|
|
||||||
// TODO: 释放未托管的资源(未托管的对象)并在以下内容中替代终结器。
|
|
||||||
// TODO: 将大型字段设置为 null。
|
|
||||||
|
|
||||||
disposedValue = true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// TODO: 仅当以上 Dispose(bool disposing) 拥有用于释放未托管资源的代码时才替代终结器。
|
|
||||||
// ~ElementBase()
|
|
||||||
// {
|
|
||||||
// // 请勿更改此代码。将清理代码放入以上 Dispose(bool disposing) 中。
|
|
||||||
// Dispose(false);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// 添加此代码以正确实现可处置模式。
|
|
||||||
public void Dispose()
|
|
||||||
{
|
|
||||||
// 请勿更改此代码。将清理代码放入以上 Dispose(bool disposing) 中。
|
|
||||||
Dispose(true);
|
|
||||||
// TODO: 如果在以上内容中替代了终结器,则取消注释以下行。
|
|
||||||
// GC.SuppressFinalize(this);
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
|
|
||||||
[Serializable]
|
|
||||||
public abstract class DisplayElementBase : ElementBase
|
|
||||||
{
|
|
||||||
//public override object Clone()
|
|
||||||
//{
|
|
||||||
// throw new NotImplementedException();
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public override void Draw(Graphics g)
|
|
||||||
//{
|
|
||||||
// throw new NotImplementedException();
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public override string GetDisplayText()
|
|
||||||
//{
|
|
||||||
// throw new NotImplementedException();
|
|
||||||
//}
|
|
||||||
|
|
||||||
//public override bool IsIntersect(Rectangle rect)
|
|
||||||
//{
|
|
||||||
// throw new NotImplementedException();
|
|
||||||
//}
|
|
||||||
|
|
||||||
public override bool IsMouseHover(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
//public override bool IsMouseInSide(Point p)
|
|
||||||
//{
|
|
||||||
// throw new NotImplementedException();
|
|
||||||
//}
|
|
||||||
|
|
||||||
public override void OnKeyDown(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnKeyUp(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseDownWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseMoveWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseUpWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void Translate(float x, float y)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
protected override void DrawResult(Graphics g)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public interface IEventHandle
|
|
||||||
{
|
|
||||||
void OnMouseMove(PointF p);
|
|
||||||
|
|
||||||
void OnMouseDown(PointF p);
|
|
||||||
|
|
||||||
void OnMouseUp(PointF p);
|
|
||||||
|
|
||||||
void OnMouseDoubleClick(PointF p);
|
|
||||||
|
|
||||||
void OnKeyDown(object sender, KeyEventArgs e);
|
|
||||||
|
|
||||||
void OnKeyUp(object sender, KeyEventArgs e);
|
|
||||||
}
|
|
||||||
|
|
||||||
public class ElementIndexCompare : IComparer<ElementBase>
|
|
||||||
{
|
|
||||||
public int Compare(ElementBase x, ElementBase y)
|
|
||||||
{
|
|
||||||
return x.Index - y.Index;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,325 +0,0 @@
|
|||||||
|
|
||||||
using DH.Commons.Base;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
|
|
||||||
namespace DH.UI.Model.Winform
|
|
||||||
{
|
|
||||||
public class DetectResultDisplay : ElementBase
|
|
||||||
{
|
|
||||||
//深度学习 显示结果
|
|
||||||
private List<DetectionResultDetail> mlResultList = null;
|
|
||||||
public List<DetectionResultDetail> MLResultList
|
|
||||||
{
|
|
||||||
get => mlResultList;
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (mlResultList != value)
|
|
||||||
{
|
|
||||||
mlResultList = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
//测量结果
|
|
||||||
//private List<IndexedSpec> specResultList = null;
|
|
||||||
//public List<IndexedSpec> SpecResultList
|
|
||||||
//{
|
|
||||||
// get => specResultList;
|
|
||||||
// set
|
|
||||||
// {
|
|
||||||
// if (specResultList != value)
|
|
||||||
// {
|
|
||||||
// specResultList = value;
|
|
||||||
|
|
||||||
// string specDisplay = "";
|
|
||||||
// if (specResultList != null && specResultList.Count > 0)
|
|
||||||
// {
|
|
||||||
// specResultList.ForEach(s =>
|
|
||||||
// {
|
|
||||||
// specDisplay += $"{s.Code}:{(s.ActualValue ?? 0).ToString("f2")}\r\n";
|
|
||||||
// });
|
|
||||||
// }
|
|
||||||
|
|
||||||
// if (!string.IsNullOrWhiteSpace(specDisplay))
|
|
||||||
// {
|
|
||||||
// DisplayTxt += specDisplay;
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
//}
|
|
||||||
|
|
||||||
ResultState ResultState = ResultState.DetectNG;
|
|
||||||
|
|
||||||
string DisplayTxt = "";
|
|
||||||
Bitmap ResultImage = null;
|
|
||||||
PointF StartPoint = new PointF();
|
|
||||||
Brush FontBrush = new SolidBrush(Color.Green);
|
|
||||||
Pen DetectResultRectPen = new Pen(new SolidBrush(Color.Green));
|
|
||||||
Font DetectResultFont = new Font(new FontFamily("Tahoma"), 15, GraphicsUnit.World);
|
|
||||||
|
|
||||||
public int ImageWidth { get; set; }
|
|
||||||
public int ImageHeight { get; set; }
|
|
||||||
public DetectResultDisplay() { }
|
|
||||||
|
|
||||||
//public DetectResultDisplay(NetResult result, List<IndexedSpec> specs, ResultState resultState, int imageWidth)
|
|
||||||
//{
|
|
||||||
// ImageWidth = imageWidth;
|
|
||||||
|
|
||||||
// ResultState = resultState;
|
|
||||||
|
|
||||||
// displayTxt = resultState.ToString() + "\r\n";
|
|
||||||
// if (resultState != ResultState.OK)
|
|
||||||
// {
|
|
||||||
// fontBrush = new SolidBrush(Color.Red);
|
|
||||||
// }
|
|
||||||
|
|
||||||
// NetResult = result;
|
|
||||||
// SpecList = specs;
|
|
||||||
|
|
||||||
// Font = new Font(new FontFamily("Tahoma"), 35 * ImageWidth / 1400, GraphicsUnit.World);
|
|
||||||
// startPoint = new PointF(150 * ImageWidth / 1400, 150 * ImageWidth / 1400);
|
|
||||||
//}
|
|
||||||
|
|
||||||
public DetectResultDisplay(DetectStationResult detectResult, Bitmap resultImage, string displayTxt)
|
|
||||||
{
|
|
||||||
ImageWidth = resultImage.Width;
|
|
||||||
ImageHeight = resultImage.Height;
|
|
||||||
var longSide = ImageWidth > ImageHeight ? ImageWidth : ImageHeight;
|
|
||||||
|
|
||||||
MLResultList = detectResult.DetectDetails;
|
|
||||||
// SpecResultList = detectResult.Specs;
|
|
||||||
ResultState = detectResult.ResultState;
|
|
||||||
ResultImage = resultImage;
|
|
||||||
DisplayTxt = displayTxt;
|
|
||||||
if (ResultState != ResultState.OK)
|
|
||||||
{
|
|
||||||
FontBrush = new SolidBrush(Color.Red);
|
|
||||||
DetectResultRectPen = new Pen(new SolidBrush(Color.Red));
|
|
||||||
}
|
|
||||||
Font = new Font(new FontFamily("Tahoma"), 35 * longSide / 1400, GraphicsUnit.World);
|
|
||||||
DetectResultFont = new Font(new FontFamily("Tahoma"), 25 * longSide / 1400, GraphicsUnit.World);
|
|
||||||
StartPoint = new PointF(100 * ImageWidth / 1400, 100 * ImageHeight / 1400);
|
|
||||||
}
|
|
||||||
|
|
||||||
public override object Clone()
|
|
||||||
{
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
public override void Draw(Graphics g)
|
|
||||||
{
|
|
||||||
//画检测结果图
|
|
||||||
if (ResultImage != null && ResultState != ResultState.OK)
|
|
||||||
{
|
|
||||||
g.DrawImage(ResultImage, new Point(0, 0));
|
|
||||||
}
|
|
||||||
//画文字
|
|
||||||
if (!string.IsNullOrWhiteSpace(DisplayTxt))
|
|
||||||
{
|
|
||||||
g.DrawString(DisplayTxt, Font, FontBrush, StartPoint);
|
|
||||||
}
|
|
||||||
//画外接矩形+label 深度学习
|
|
||||||
if (MLResultList != null && MLResultList.Count > 0)
|
|
||||||
{
|
|
||||||
MLResultList.ForEach(d =>
|
|
||||||
{
|
|
||||||
g.DrawRectangle(DetectResultRectPen, d.Rect);
|
|
||||||
|
|
||||||
string locationTxt = $"{d.LabelDisplay}";
|
|
||||||
var locationX = d.Rect.X;
|
|
||||||
var locationY = d.Rect.Y <= 20 ? d.Rect.Y + 20 : d.Rect.Y - 20;
|
|
||||||
g.DrawString(locationTxt, DetectResultFont, FontBrush, locationX, locationY);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
//画spec信息
|
|
||||||
|
|
||||||
//if (DetectResult != null && DetectResult.NetResult?.DetectDetails?.Count > 0)
|
|
||||||
//{
|
|
||||||
// DetectResult.NetResult?.DetectDetails.ForEach(d =>
|
|
||||||
// {
|
|
||||||
// g.DrawRectangle(defectRectPen, d.Rect);
|
|
||||||
|
|
||||||
// string locationTxt = $"{d.Rect.X},{d.Rect.Y}";
|
|
||||||
// g.DrawString(locationTxt, defectFont, fontBrush, d.Rect.X, d.Rect.Y - 5);
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
//float fontHeight = g.MeasureString(displayTxt, Font).Height;
|
|
||||||
//startPoint.Y += fontHeight * 1.2f;
|
|
||||||
|
|
||||||
//var defects = DetectResult.NetResult?.DetectDetails;
|
|
||||||
//if (defects != null && defects.Count > 0)
|
|
||||||
//{
|
|
||||||
// defects.ForEach(d =>
|
|
||||||
// {
|
|
||||||
// g.DrawString($"{d.ClassName} X:{d.Rect.X.ToString("f2")} Y:{d.Rect.Y.ToString("f2")} S:{d.Area}", Font, d.FinalResult == EnumHelper.ResultState.OK ? fontBrushOK : fontBrushNG, startPoint);
|
|
||||||
|
|
||||||
// startPoint.Y += fontHeight;
|
|
||||||
// });
|
|
||||||
//}
|
|
||||||
|
|
||||||
//DetectResult.Specs.ForEach(s =>
|
|
||||||
//{
|
|
||||||
// g.DrawString($"{s.Code}:{(s.ActualValue ?? 0).ToString("f2")}", Font, s.MeasureResult ?? false == true ? fontBrushOK : fontBrushNG, startPoint);
|
|
||||||
|
|
||||||
// startPoint.Y += fontHeight;
|
|
||||||
//});
|
|
||||||
}
|
|
||||||
|
|
||||||
public override string GetDisplayText()
|
|
||||||
{
|
|
||||||
return "";
|
|
||||||
}
|
|
||||||
|
|
||||||
public override bool IsIntersect(RectangleF rect)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override bool IsMouseHover(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override bool IsMouseInSide(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnKeyDown(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnKeyUp(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
protected override void DrawResult(Graphics g)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseDownWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseMoveWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseUpWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void Translate(float x, float y)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public class RectResultDisplay : ElementBase
|
|
||||||
{
|
|
||||||
ResultState ResultState = ResultState.DetectNG;
|
|
||||||
public string DisplayTxt = "";
|
|
||||||
Color FillColor = Color.Lime;
|
|
||||||
int FontSize = 15;
|
|
||||||
RectangleF Rect = new RectangleF();
|
|
||||||
bool IsFilled = false;
|
|
||||||
|
|
||||||
public RectResultDisplay() { }
|
|
||||||
|
|
||||||
public RectResultDisplay(ResultState _resultState, RectangleF _rect, string _displayTxt, Color _fillColor, bool _isFilled, int _fontSize)
|
|
||||||
{
|
|
||||||
ResultState = _resultState;
|
|
||||||
Rect = _rect;
|
|
||||||
DisplayTxt = _displayTxt;
|
|
||||||
FillColor = _fillColor;
|
|
||||||
IsFilled = _isFilled;
|
|
||||||
FontSize = _fontSize;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override object Clone()
|
|
||||||
{
|
|
||||||
RectResultDisplay rect = new RectResultDisplay();
|
|
||||||
|
|
||||||
rect.ResultState = ResultState;
|
|
||||||
rect.Rect = Rect;
|
|
||||||
rect.DisplayTxt = DisplayTxt;
|
|
||||||
rect.FillColor = FillColor;
|
|
||||||
rect.FontSize = FontSize;
|
|
||||||
rect.IsFilled = IsFilled;
|
|
||||||
|
|
||||||
return rect;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void Draw(Graphics g)
|
|
||||||
{
|
|
||||||
g.DrawRectangle(new Pen(FillColor, 1), Rect.X, Rect.Y, Rect.Width, Rect.Height);
|
|
||||||
|
|
||||||
if (IsFilled)
|
|
||||||
{
|
|
||||||
g.FillRectangle(new SolidBrush(Color.FromArgb(20, FillColor)), Rect);
|
|
||||||
}
|
|
||||||
|
|
||||||
Font font = new Font("Tahoma", FontSize);
|
|
||||||
var txtSize = g.MeasureString(DisplayTxt, font);
|
|
||||||
|
|
||||||
g.DrawString(DisplayTxt, font, new SolidBrush(FillColor), (float)(Rect.X + Rect.Width / 2.0 - txtSize.Width / 2.0), Rect.Y + Rect.Height + 5);
|
|
||||||
}
|
|
||||||
|
|
||||||
public override string GetDisplayText()
|
|
||||||
{
|
|
||||||
return $"{ResultState} {DisplayTxt} ({Rect.X},{Rect.Y},{Rect.Width},{Rect.Height})";
|
|
||||||
}
|
|
||||||
|
|
||||||
public override bool IsIntersect(RectangleF rect)
|
|
||||||
{
|
|
||||||
return rect.IntersectsWith(Rect);
|
|
||||||
}
|
|
||||||
|
|
||||||
public override bool IsMouseHover(PointF p)
|
|
||||||
{
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
public override bool IsMouseInSide(PointF p)
|
|
||||||
{
|
|
||||||
return Rect.Contains(p);
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnKeyDown(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnKeyUp(object sender, KeyEventArgs e)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseDownWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseMoveWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void OnMouseUpWhenNew(PointF p)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
public override void Translate(float x, float y)
|
|
||||||
{
|
|
||||||
Rect.Offset(new PointF(x, y));
|
|
||||||
}
|
|
||||||
|
|
||||||
protected override void DrawResult(Graphics g)
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
109
DH.UI.Model.Winform/GridCtrl.Designer.cs
generated
109
DH.UI.Model.Winform/GridCtrl.Designer.cs
generated
@ -1,109 +0,0 @@
|
|||||||
namespace XKRS.UI.Model.Winform
|
|
||||||
{
|
|
||||||
partial class GridCtrl
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 必需的设计器变量。
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理所有正在使用的资源。
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">如果应释放托管资源,为 true;否则为 false。</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region 组件设计器生成的代码
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 设计器支持所需的方法 - 不要修改
|
|
||||||
/// 使用代码编辑器修改此方法的内容。
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
this.chkShowGrid = new System.Windows.Forms.CheckBox();
|
|
||||||
this.tbGridValue = new System.Windows.Forms.TrackBar();
|
|
||||||
this.panel1 = new System.Windows.Forms.Panel();
|
|
||||||
this.colorDialog1 = new System.Windows.Forms.ColorDialog();
|
|
||||||
this.btnColor = new System.Windows.Forms.Button();
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.tbGridValue)).BeginInit();
|
|
||||||
this.panel1.SuspendLayout();
|
|
||||||
this.SuspendLayout();
|
|
||||||
//
|
|
||||||
// chkShowGrid
|
|
||||||
//
|
|
||||||
this.chkShowGrid.Appearance = System.Windows.Forms.Appearance.Button;
|
|
||||||
// this.chkShowGrid.BackgroundImage = global::XKRS.UI.Model.Winform.Properties.Resources.grid;
|
|
||||||
this.chkShowGrid.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
|
|
||||||
this.chkShowGrid.Dock = System.Windows.Forms.DockStyle.Top;
|
|
||||||
this.chkShowGrid.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.chkShowGrid.Name = "chkShowGrid";
|
|
||||||
this.chkShowGrid.Size = new System.Drawing.Size(32, 30);
|
|
||||||
this.chkShowGrid.TabIndex = 0;
|
|
||||||
this.chkShowGrid.UseVisualStyleBackColor = true;
|
|
||||||
this.chkShowGrid.CheckedChanged += new System.EventHandler(this.chkShowGrid_CheckedChanged);
|
|
||||||
//
|
|
||||||
// tbGridValue
|
|
||||||
//
|
|
||||||
this.tbGridValue.AutoSize = false;
|
|
||||||
this.tbGridValue.Dock = System.Windows.Forms.DockStyle.Bottom;
|
|
||||||
this.tbGridValue.Location = new System.Drawing.Point(0, 21);
|
|
||||||
this.tbGridValue.Name = "tbGridValue";
|
|
||||||
this.tbGridValue.Orientation = System.Windows.Forms.Orientation.Vertical;
|
|
||||||
this.tbGridValue.Size = new System.Drawing.Size(32, 121);
|
|
||||||
this.tbGridValue.TabIndex = 1;
|
|
||||||
this.tbGridValue.TickStyle = System.Windows.Forms.TickStyle.Both;
|
|
||||||
this.tbGridValue.ValueChanged += new System.EventHandler(this.tbGridValue_ValueChanged);
|
|
||||||
//
|
|
||||||
// panel1
|
|
||||||
//
|
|
||||||
this.panel1.Anchor = ((System.Windows.Forms.AnchorStyles)(((System.Windows.Forms.AnchorStyles.Top | System.Windows.Forms.AnchorStyles.Left)
|
|
||||||
| System.Windows.Forms.AnchorStyles.Right)));
|
|
||||||
this.panel1.Controls.Add(this.chkShowGrid);
|
|
||||||
this.panel1.Controls.Add(this.tbGridValue);
|
|
||||||
this.panel1.Location = new System.Drawing.Point(1, 1);
|
|
||||||
this.panel1.Name = "panel1";
|
|
||||||
this.panel1.Size = new System.Drawing.Size(32, 142);
|
|
||||||
this.panel1.TabIndex = 2;
|
|
||||||
//
|
|
||||||
// btnColor
|
|
||||||
//
|
|
||||||
this.btnColor.BackColor = System.Drawing.Color.Red;
|
|
||||||
this.btnColor.Location = new System.Drawing.Point(4, 150);
|
|
||||||
this.btnColor.Name = "btnColor";
|
|
||||||
this.btnColor.Size = new System.Drawing.Size(25, 23);
|
|
||||||
this.btnColor.TabIndex = 3;
|
|
||||||
this.btnColor.Text = " ";
|
|
||||||
this.btnColor.UseVisualStyleBackColor = false;
|
|
||||||
this.btnColor.Click += new System.EventHandler(this.btnColor_Click);
|
|
||||||
//
|
|
||||||
// GridCtrl
|
|
||||||
//
|
|
||||||
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Inherit;
|
|
||||||
this.Controls.Add(this.btnColor);
|
|
||||||
this.Controls.Add(this.panel1);
|
|
||||||
this.Font = new System.Drawing.Font("Tahoma", 11F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.World, ((byte)(134)));
|
|
||||||
this.Name = "GridCtrl";
|
|
||||||
this.Size = new System.Drawing.Size(32, 192);
|
|
||||||
((System.ComponentModel.ISupportInitialize)(this.tbGridValue)).EndInit();
|
|
||||||
this.panel1.ResumeLayout(false);
|
|
||||||
this.ResumeLayout(false);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private System.Windows.Forms.CheckBox chkShowGrid;
|
|
||||||
private System.Windows.Forms.TrackBar tbGridValue;
|
|
||||||
private System.Windows.Forms.Panel panel1;
|
|
||||||
private System.Windows.Forms.ColorDialog colorDialog1;
|
|
||||||
private System.Windows.Forms.Button btnColor;
|
|
||||||
}
|
|
||||||
}
|
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
x
Reference in New Issue
Block a user