我可以将 ContentControl 的 Content 属性设置为 DrawingVisual 对象吗?它在文档中说内容可以是任何东西,但我尝试过,当我将控件添加到画布时没有任何显示。是否有可能,如果可以,您可以发布将内容为 DrawingVisual 的 ContentControl 添加到画布的完整代码吗?
问问题
4181 次
1 回答
4
我可以将 ContentControl 的 Content 属性设置为 DrawingVisual 对象吗?
从技术上讲,是的,你可以。但是,这可能不是您想要的。添加到 ContentControl 的 DrawingVisual 将简单地显示字符串“System.Windows.Media.DrawingVisual”。网格中的以下代码将轻松演示这一点:
<Button>
<DrawingVisual/>
</Button>
要正确使用 DrawingVisual,您需要将其封装在 FrameworkElement 中。请参阅Microsoft 参考。
因此,下面的代码应该可以帮助你做你想做的事。
<Window x:Class="TestDump.Window1"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="clr-namespace:TestDump"
Title="Window1" Height="300" Width="600" >
<Grid>
<Canvas>
<Button >
<local:MyVisualHost Width="600" Height="300"/>
</Button>
</Canvas>
</Grid>
</Window>
在 C# 方面:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Data;
using System.Windows.Documents;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Imaging;
using System.Windows.Navigation;
using System.Windows.Shapes;
namespace TestDump
{
/// <summary>
/// Interaction logic for Window1.xaml
/// </summary>
public partial class Window1 : Window
{
public Window1()
{
InitializeComponent();
}
}
public class MyVisualHost : FrameworkElement
{
private VisualCollection _children;
public MyVisualHost()
{
_children = new VisualCollection(this);
_children.Add(CreateDrawingVisualRectangle());
}
// Create a DrawingVisual that contains a rectangle.
private DrawingVisual CreateDrawingVisualRectangle()
{
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.
Rect rect = new Rect(new System.Windows.Point(160, 100), new System.Windows.Size(320, 80));
drawingContext.DrawRectangle(System.Windows.Media.Brushes.Blue, (System.Windows.Media.Pen)null, rect);
// Persist the drawing content.
drawingContext.Close();
return drawingVisual;
}
// Provide a required override for the VisualChildrenCount property.
protected override int VisualChildrenCount
{
get { return _children.Count; }
}
// Provide a required override for the GetVisualChild method.
protected override Visual GetVisualChild(int index)
{
if (index < 0 || index >= _children.Count)
{
throw new ArgumentOutOfRangeException();
}
return _children[index];
}
}
}
于 2011-01-08T01:13:55.877 回答