我有一个准系统 WPF 应用程序,它有大约一兆的 ASCII 文本要显示。我最初将 TextBlock 放在 ScrollViewer 的 WrapPanel 中。当我调整窗口大小时,这会正确滚动和调整大小,但速度非常慢!我需要更快的东西。
所以我将文本放在 FormattedText 中,并使用自定义控件进行渲染。这要快得多,但它没有调整大小。所以我让我的自定义控件调整大小。但它每秒会重绘太多次,所以我让它每 100 毫秒重绘一次。
好多了。渲染和调整大小仍然不是很好,但比以前好多了。但我失去了滚动。
最终我需要一个能做很多事情的解决方案——但现在我正在尝试一个能做一些事情的解决方案:显示一个文本内存,换行,有一个滚动条,并且表现出色。最终,我希望它可以缩放到一个文本,内联颜色,部分文本的一些鼠标悬停/单击事件......
如何使 FormattedText(或者更准确地说是 DrawingVisual)具有垂直滚动条?
这是我的 FrameworkElement,它显示了我的 FormattedText:
using System;
using System.Windows;
using System.Windows.Media;
namespace Recall
{
public class LightweightTextBox : FrameworkElement
{
private VisualCollection _children;
private FormattedText _formattedText;
private System.Threading.Timer _resizeTimer;
private const int _resizeDelay = 100;
public double MaxTextWidth
{
get { return this._formattedText.MaxTextWidth; }
set { this._formattedText.MaxTextWidth = value; }
}
public LightweightTextBox(FormattedText formattedText)
{
this._children = new VisualCollection(this);
this._formattedText = formattedText;
DrawingVisual drawingVisual = new DrawingVisual();
DrawingContext drawingContext = drawingVisual.RenderOpen();
drawingContext.DrawText(this._formattedText, new Point(0, 0));
drawingContext.Close();
_children.Add(drawingVisual);
this.SizeChanged += new SizeChangedEventHandler(LightweightTextBox_SizeChanged);
}
void LightweightTextBox_SizeChanged(object sender, SizeChangedEventArgs e)
{
this.MaxTextWidth = e.NewSize.Width;
if (_resizeTimer != null)
_resizeTimer.Change(_resizeDelay, System.Threading.Timeout.Infinite);
else
_resizeTimer = new System.Threading.Timer(new System.Threading.TimerCallback(delegate(object state)
{
ReDraw();
if (_resizeTimer == null) return;
_resizeTimer.Dispose();
_resizeTimer = null;
}), null, _resizeDelay, System.Threading.Timeout.Infinite);
}
public void ReDraw()
{
this.Dispatcher.Invoke((Action)(() =>
{
var dv = _children[0] as DrawingVisual;
DrawingContext drawingContext = dv.RenderOpen();
drawingContext.DrawText(this._formattedText, new Point(0, 0));
drawingContext.Close();
}));
}
//===========================================================
//Overrides
protected override int VisualChildrenCount { get { return _children.Count; } }
protected override Visual GetVisualChild(int index)
{
if (index < 0 || index >= _children.Count)
throw new ArgumentOutOfRangeException();
return _children[index];
}
}
}