最近的一個項目中,在客戶測試環境(UAT)發現了一個bug,卻反覆嘗試都沒法在開發環境和QA環境來重現。界面上也沒有出現任何異常和錯誤,只是某個數據的顯示錯誤,其餘數據都正常。仔細分析和調試了出錯位置的上下文代碼,沒有任何異常和疑點。因爲是C/S結構(WPF),而技術人員也沒法到達客戶現場進行協助,因此半天都沒有任何進展。app
後來忽然想到了用Trace.WriteLine輸出日誌的方法,在徵得領導贊成和取得客戶的協助意願以後,按下面的步驟來實施,最終根據日誌分析找到了問題緣由:ide
配置文件相關節點以下:測試
<system.diagnostics> <trace> <listeners> <add name="SimpleLogTraceListener" type="TraceListenerApp.SimpleTraceListener, TraceListenerApp"/> </listeners> </trace> </system.diagnostics>
輸出日誌的實現類代碼以下:ui
/// <summary> /// A simple implementation for TraceListener to log the output to text file /// </summary> public class SimpleTraceListener : TraceListener { //default trace log file path string filepath = @"c:\temp\tracelog.txt"; /// <summary> /// override the output from Trace.Write() /// </summary> /// <param name="message"></param> public override void Write(string message) { CheckLogFile(); //format the message with datetime StringBuilder sb = new StringBuilder(); sb.Append("["); sb.Append(DateTime.Now.ToString()); sb.Append("]\t"); sb.Append(message); using (StreamWriter sw = new StreamWriter(filepath, true)) { sw.Write(sb.ToString()); sw.Flush(); } } /// <summary> /// override the output from Trace.WriteLine() /// </summary> /// <param name="message"></param> public override void WriteLine(string message) { CheckLogFile(); //format the message with datetime StringBuilder sb = new StringBuilder(); sb.Append("["); sb.Append(DateTime.Now.ToString()); sb.Append("]\t"); sb.Append(message); using (StreamWriter sw = new StreamWriter(filepath, true)) { sw.WriteLine(sb.ToString()); sw.Flush(); } } //make sure the logfile is existing, if not, create a new one. void CheckLogFile() { if (!File.Exists(filepath)) { try { FileStream fs = File.Create(filepath); fs.Close(); } catch (Exception ex) { throw ex; } } } }
(完)spa