我正在尝试将输出监视器添加到我的 WPF 应用程序。类似于 Visual Studio 中的调试输出的只读监视器。
是否有一个 WPF 控件已经提供了我需要的功能?或者有没有办法可以重用 Visual Studio 中的控件?
目前我正在使用由 StringBuilder 支持的标准文本框。更新转到 StringBuilder,而 TextBox 每 200 毫秒获取最新的字符串。
我的问题是,随着输出字符串变长,这会变得非常慢。
我正在尝试将输出监视器添加到我的 WPF 应用程序。类似于 Visual Studio 中的调试输出的只读监视器。
是否有一个 WPF 控件已经提供了我需要的功能?或者有没有办法可以重用 Visual Studio 中的控件?
目前我正在使用由 StringBuilder 支持的标准文本框。更新转到 StringBuilder,而 TextBox 每 200 毫秒获取最新的字符串。
我的问题是,随着输出字符串变长,这会变得非常慢。
我会使用 RichTextBox 控件来输出数据。
在这个示例中,我的性能完全没有问题。
public partial class MainWindow : Window
{
private int counter = 0;
public MainWindow()
{
InitializeComponent();
Loaded+=OnLoaded;
}
private void OnLoaded(object sender, RoutedEventArgs routedEventArgs)
{
for (int i = 0; i < 200; i++)
{
AddLine(counter++ + ": Initial data");
}
var timer = new DispatcherTimer();
timer.Interval = new TimeSpan(0, 0, 0, 0, 200);
timer.Tick += TimerOnTick;
timer.IsEnabled = true;
}
private void TimerOnTick(object sender, EventArgs eventArgs)
{
AddLine(counter++ + ": Random text");
}
public void AddLine(string text)
{
outputBox.AppendText(text);
outputBox.AppendText("\u2028"); // Linebreak, not paragraph break
outputBox.ScrollToEnd();
}
}
和 XAML
<Window x:Class="WpfApplication1.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="MainWindow" Height="350" Width="525">
<Grid>
<RichTextBox x:Name="outputBox"
VerticalScrollBarVisibility="Visible"
HorizontalScrollBarVisibility="Visible"
IsReadOnly="True">
<FlowDocument/>
</RichTextBox>
</Grid>
</Window>
并且可能很容易扩展它。如果滚动位置不在末尾,请不要滚动到末尾,例如,以便您可以在文本框仍在更新时查看旧数据。