如果我在Console.Out
中看到一些关键词,我想退出程序。这是因为我们使用第三方DLL,它有一个问题,当它遇到一些特定的异常时,它永远不会退出。
对我们来说,唯一的理由似乎是监视填充回console.Out
的日志。并且根据登录console.out
,主机应用程序可以决定在遇到此类异常时该怎么做。
有人告诉我,我可以使用跟踪侦听器...但我不确定。你们怎么看?
Console
类提供了可用于将输出写入自定义流的SetOut
方法。 例如,您可以流式传输到 StringBuilder 并监视更改,或者编写监视关键字的自定义流实现。
例如,下面是一个 KeywordWatcherStreamWrapper
类,它监视指定的关键字,并在看到关键字时为所有侦听器引发一个事件:
public class KeywordWatcherStreamWrapper : TextWriter
{
private TextWriter underlyingStream;
private string keyword;
public event EventHandler KeywordFound;
public KeywordWatcherStreamWrapper(TextWriter underlyingStream, string keyword)
{
this.underlyingStream = underlyingStream;
this.keyword = keyword;
}
public override Encoding Encoding
{
get { return this.underlyingStream.Encoding; }
}
public override void Write(string s)
{
this.underlyingStream.Write(s);
if (s.Contains(keyword))
if (KeywordFound != null)
KeywordFound(this, EventArgs.Empty);
}
public override void WriteLine(string s)
{
this.underlyingStream.WriteLine(s);
if (s.Contains(keyword))
if (KeywordFound != null)
KeywordFound(this, EventArgs.Empty);
}
}
示例用法:
var kw = new KeywordWatcherStreamWrapper(Console.Out, "Hello");
kw.KeywordFound += (s, e) => { throw new Exception("Keyword found!"); };
try {
Console.SetOut(kw);
Console.WriteLine("Testing");
Console.WriteLine("Hel");
Console.WriteLine("lo");
Console.WriteLine("Hello");
Console.WriteLine("Final");
} catch (Exception ex) { Console.Write(ex.Message); }
在包含整个关键字的第二个 Write
语句上,将引发事件,从而引发异常。 另请注意,这会以静默方式包装基础流并仍向其写入,因此控制台输出仍会正常生成。
示例输出:
Testing
Hel
lo
Hello
Keyword found!
如果你能把它包装到exe中,也许你可以使用Process.StandardOutput。