C#中的日誌類
這段時間在做路測資料處理,每天都要匯入千萬條記錄至資料庫中。因為資料比較龐大,程式處理的指標也很多,廠家給的未經處理資料也不能保證百分百正確,那麼在整個邏輯處理過程中難免會存在不確定性BUG。為了高效的保證資料的處理,非常有必要將異常資訊的現場情景記錄下來,為後續分析提供依據,從而快速解決問題。
日誌類本身很簡單,就是完成資訊的記錄功能,其實更重要的是儲存哪些有用資訊。下面是我參考了下前輩們寫的東西修改而來的日誌類:
/// <summary>
/// 日誌類
/// </summary>
public class ImportDataLog
{
//記錄檔所在路徑
private static string logPath = string.Empty;
/// <summary>
/// 儲存日誌的檔案夾
/// </summary>
public static string LogPath
{
get
{
if (logPath == string.Empty)
{
logPath = AppDomain.CurrentDomain.BaseDirectory;
}
return logPath;
}
set { logPath = value; }
}
//日誌首碼說明資訊
private static string logFielPrefix = string.Empty;
/// <summary>
/// 記錄檔首碼
/// </summary>
public static string LogFielPrefix
{
get { return logFielPrefix; }
set { logFielPrefix = value; }
}
/// <summary>
/// 寫日誌
/// <param name="logType">日誌類型</param>
/// <param name="msg">日誌內容</param>
/// </summary>
public static void WriteLog(string logType, string msg)
{
System.IO.StreamWriter sw=null;
try
{
//同一天同一類日誌以追加形式儲存
sw = System.IO.File.AppendText(
LogPath + LogFielPrefix + "_" +
DateTime.Now.ToString("yyyyMMdd") + ".Log"
);
sw.WriteLine(logType + "#" + DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss: ") + msg);
}
catch
{ }
finally
{
sw.Close();
}
}
/// <summary>
/// 寫日誌
/// </summary>
public static void WriteLog(LogType logType, string msg)
{
WriteLog(logType.ToString(), msg);
}
}
/// <summary>
/// 日誌類型
/// </summary>
public enum LogType
{
Trace, //堆疊追蹤資訊
Warning,//警告資訊
Error, //錯誤資訊應該包含對象名、發生錯誤點所在的方法名稱、具體錯誤資訊
SQL //與資料庫相關的資訊
}
在程式中,我是特別關注ERROR類型的資訊。如注釋所示,將引發錯誤的對象、方法與具體錯誤資訊儲存,對解決問題非常有協助。
定義Exception ex=new Exception() ,則:
建議資訊msg組成="Source:{" + ex.Source + "}" +
" StackTrace:{" + ex.StackTrace + "}" +
" Message:{" + ex.Message + "}");