我使用 PAINT 事件在 Winows 表单应用程序的面板上绘制了一个波浪。但是当使用它 WPF 时,我没有找到任何与具有 Paint Event 的 Panel 等效的元素。谷歌搜索了很多,但没有很大的用处。
好吧,我需要在 WPF 中绘制波形,因此建议适当的解决方案 wrt PaintArgsEvent 或完全新的解决方案。
谢谢你!
我使用 PAINT 事件在 Winows 表单应用程序的面板上绘制了一个波浪。但是当使用它 WPF 时,我没有找到任何与具有 Paint Event 的 Panel 等效的元素。谷歌搜索了很多,但没有很大的用处。
好吧,我需要在 WPF 中绘制波形,因此建议适当的解决方案 wrt PaintArgsEvent 或完全新的解决方案。
谢谢你!
您正在寻找课程DrawingVisual
从第一个链接:
DrawingVisual 是一个轻量级的绘图类,用于呈现形状、图像或文本。这个类被认为是轻量级的,因为它不提供布局或事件处理,从而提高了它的性能。出于这个原因,绘图是背景和剪贴画的理想选择。
您还可以访问可以添加点集合的折线类。此示例是修改后的MSDN 论坛示例
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
float x0 = 100f;
float y0 = 100f;
Polyline myPoly = new Polyline();
PointCollection polyPoints = myPoly.Points;
Point[] points = new Point[200];
for (int j = 0; j < 200; j++)
{
points[j] = new Point();
points[j].X = x0 + j;
points[j].Y = y0 -
(float)(Math.Sin((2 * Math.PI * j) / 200) * (200 / (2 * Math.PI)));
}
for (int i = 0; i < points.Length ; i++)
{
polyPoints.Add(points[i]);
}
myPoly.Stroke = Brushes.Green;
myPoly.StrokeThickness = 5;
StackPanel mainPanel = new StackPanel();
mainPanel.Children.Add(myPoly);
this.Content = mainPanel;
}
}
还有一个修改后的 MSDN 示例:
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
float x0 = 100f;
float y0 = 100f;
Point[] points = new Point[200];
for (int j = 0; j < 200; j++)
{
points[j] = new Point();
points[j].X = x0 + j;
points[j].Y = y0 -
(float)(Math.Sin((2 * Math.PI * j) / 200) * (200 / (2 * Math.PI)));
}
DrawingBrush db = new DrawingBrush(CreateDrawingVisualRectangle(points).Drawing);
StackPanel mainPanel = new StackPanel();
mainPanel.Background = db;
this.Content = mainPanel;
}
private DrawingVisual CreateDrawingVisualRectangle( Point[] pointarray)
{
DrawingVisual drawingVisual = new DrawingVisual();
// Retrieve the DrawingContext in order to create new drawing content.
DrawingContext drawingContext = drawingVisual.RenderOpen();
// Create a rectangle and draw it in the DrawingContext.
for (int i = 0; i < pointarray.Length-1; i++)
{
drawingContext.DrawLine(new Pen(new SolidColorBrush(Colors.Blue), 2), pointarray[i], pointarray[i + 1]);
}
// Persist the drawing content.
drawingContext.Close();
return drawingVisual;
}
}