本文转载:http://blog.csdn.net/oyi319/article/details/5753311

2.WinForm程序和控制台窗口Console

如果你调试过SharpDevelop的源程序,会发现它在DEBUG模式时会出现一个控制台窗口,以显示日志信息。或许我使用的方法与其不同,不过你可以试一试,写出我们自己的调试日志代码。

首先要解决的问题是如何在Debug模式时显示Console窗口。我确定,这是一个WinForm项目,也没有改过它的输出类型。我们需要在项目的入口点使用一些API函数将控制台显示出来:

它们是 AllocConsole 和 FreeConsole。

  1. [DllImport("kernel32.dll")]
  2. public static extern Boolean AllocConsole();
  3. [DllImport("kernel32.dll")]
  4. public static extern Boolean FreeConsole();

然后我们使它在Main()开始处判断DEBUG编译标记,调用AllocConsole方法显示控制台,然后在Main()的结束处判断DEBUG编译标记,调用FreeConsole方法关闭控制台。这样,我们就可以使用Console.Write等方法将调试信息显示在这个控制台窗口里。

为了达到更好的效果,我们写一个Shell类,用它来封装Console.WriteLine方法,输出个性化信息。我是这样做的,根据输出到控制台的文本的前几个字判断为“警告”、“错误”、“注意”时,输出带有黄色、红色、绿色的文字,其他输出信息输出控制台缺省的灰色文字,以起到区分效果,还要在每条信息前加上输出信息的当时时间。

这个Shell类是这样的:

  1. /// <summary>
  2. /// 与控制台交互
  3. /// </summary>
  4. static class Shell
  5. {
  6. /// <summary>
  7. /// 输出信息
  8. /// </summary>
  9. /// <param name="format"></param>
  10. /// <param name="args"></param>
  11. public static void WriteLine(string format, params object[] args)
  12. {
  13. WriteLine(string.Format(format, args));
  14. }
  15. /// <summary>
  16. /// 输出信息
  17. /// </summary>
  18. /// <param name="output"></param>
  19. public static void WriteLine(string output)
  20. {
  21. Console.ForegroundColor = GetConsoleColor(output);
  22. Console.WriteLine(@"[{0}]{1}", DateTimeOffset.Now, output);
  23. }
  24. /// <summary>
  25. /// 根据输出文本选择控制台文字颜色
  26. /// </summary>
  27. /// <param name="output"></param>
  28. /// <returns></returns>
  29. private static ConsoleColor GetConsoleColor(string output)
  30. {
  31. if (output.StartsWith("警告")) return ConsoleColor.Yellow;
  32. if (output.StartsWith("错误")) return ConsoleColor.Red;
  33. if (output.StartsWith("注意")) return ConsoleColor.Green;
  34. return ConsoleColor.Gray;
  35. }
  36. }

那么程序入口函数Main代码如下:

  1. /// <summary>
  2. /// 应用程序的主入口点。
  3. /// </summary>
  4. [STAThread]
  5. static void Main()
  6. {
  7. #if DEBUG
  8. AllocConsole();
  9. Shell.WriteLine("注意:启动程序...");
  10. Shell.WriteLine("/tWritten by Oyi319");
  11. Shell.WriteLine("/tBlog: http://blog.csdn.com/oyi319");
  12. Shell.WriteLine("{0}:{1}", "警告", "这是一条警告信息。");
  13. Shell.WriteLine("{0}:{1}", "错误", "这是一条错误信息!");
  14. Shell.WriteLine("{0}:{1}", "注意", "这是一条需要的注意信息。");
  15. Shell.WriteLine("");
  16. #endif
  17. Application.EnableVisualStyles();
  18. Application.SetCompatibleTextRenderingDefault(false);
  19. Application.Run(new Form1());
  20. #if DEBUG
  21. Shell.WriteLine("注意:2秒后关闭...");
  22. Thread.Sleep(2000);
  23. FreeConsole();
  24. #endif
  25. }

现在这个控制台窗口,只会在DEBUG模式时显示,而在Release编译时不会出现。 这是不是你想要的调试方法呢?

WinForm程序启动控制台窗口Console-LMLPHP

04-14 06:15