首先,免责声明,你将要见证的是我近 20 年来的第一次编码。我是 C# 和 WPF 的新手,试图让我的头脑 WPF 不仅仅是一个挑战。
在过去的一个月里,我一直在开发一个宠物项目控制台应用程序,它一直表现良好。我现在正试图通过向项目添加现代 GUI 来更进一步。
我想通过使用包装在 WPF 窗口中的滚动条内的 WPF 文本块来模拟控制台(只是基本的输出功能)。您可以在此处查看原始控制台应用程序的运行情况,以更好地了解我正在尝试模拟的控制台输出类型。但是我在基本函数调用方面遇到了一个主要问题,我认为这是因为我不完全了解 WPF/C# 如何在后台工作。
应用程序通过 Main() 在代码中启动,如下所示:
class Program
{
public static ConsoleWindow MainConsole = new ConsoleWindow();
[STAThread]
static void Main(string[] args)
{
Application MyApplication = new Application();
MyApplication.Run(MainConsole);
// The following code does not work, it produces no output in the Textblock
MainConsole.WriteLine("Crystal Console");
MainConsole.WriteLine("Version: " + Properties.Settings.Default.BuildVersion);
MainConsole.WriteLine("Current Time: " + DateTime.Now);
MainConsole.WriteLine("Last Login: " + Properties.Settings.Default.dateLastLogin);
}
}
问题是调用的方法似乎对文本块的内容没有任何影响。
尽管我将提供大量信息以防万一,但问题本身很简单:为什么从同一窗口上的文本框控件获取内容时 Textblock 更新正常,但在以下情况下不显示任何更新在 Main() 中调用了相同的方法?
出于测试目的,窗口有几个文本框,它们在窗口内调用 .WriteLine 方法,这可以工作,所以我知道 .WriteLine 代码没有问题,您可以在此处看到:
public void WriteLine(string Message = null, string Sender = null)
{
_Console.AddElement(new ConsoleElement(Sender, Message + "\n"));
_Console.DisplayContent(ConsoleTextBlock);
ConsoleScroller.ScrollToEnd();
}
这是控制台本身的代码,以防需要,“ConsoleElement”类本质上只是一个对象,其中包含要在文本块中显示的消息以及每个消息的格式。
class ConsoleStream
{
IList<ConsoleElement> ConsoleElements = new List<ConsoleElement>();
public void AddElement(ConsoleElement NewElement)
{
if (NewElement.Sender == null) // Sender is System not user.
{
NewElement.Content = " " + NewElement.Content;
NewElement.Font = new FontFamily("Arial");
NewElement.FontSize = 12;
}
ConsoleElements.Add(NewElement);
}
public void ClearElements()
{
ConsoleElements.Clear();
}
public void DisplayContent(TextBlock sender)
{
sender.Text = null;
foreach (ConsoleElement Message in ConsoleElements)
{
//If message is a status update, i.e. has no sender, format it as a system message.
if (Message.Sender != null)
{
sender.Inlines.Add(new Run(Message.Sender + ": ") { Foreground = Message.SenderColour, FontFamily = Message.Font, FontSize = Message.FontSize });
}
//if message has a sender it's either the user or the AI. Format it as a user message.
if (Message.Sender != null) sender.Inlines.Add(new Run(Message.Content) { Foreground = Message.ContentColour, FontFamily = Message.Font, FontSize = Message.FontSize });
else sender.Inlines.Add(new Run(Message.Content) { Foreground = Message.SystemColour, FontFamily = Message.Font, FontSize = Message.FontSize });
}
}
}