C#コードでイベントビューアーに書き込もうとしていますが、すばらしい「オブジェクト参照がオブジェクトのインスタンスに設定されていません」というメッセージが表示されます。私はこのコードの助けをいただければ幸いです。何が問題なのか、もっと良い方法です。イベントログに書き込むために私が持っているものは次のとおりです。
private void WriteToEventLog(string message)
{
string cs = "QualityDocHandler";
EventLog elog = new EventLog();
if (!EventLog.SourceExists(cs))
{
EventLog.CreateEventSource(cs, cs);
}
elog.Source = cs;
elog.EnableRaisingEvents = true;
elog.WriteEntry(message);
}
そして、ここで私がそれを呼ぼうとしているところです:
private readonly Random _rng = new Random();
private const string _chars = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
private string RandomString(int size)
{
try
{
char[] buffer = new char[size];
for (int i = 0; i < size; i++)
{
buffer[i] = _chars[_rng.Next(_chars.Length)];
}
return new string(buffer);
}
catch (Exception e)
{
WriteToEventLog(e.ToString());
return null;
}
}
問題は、おそらく存在しないログにイベントソースを作成しようとしていることです。 「アプリケーション」ログを指定する必要があります。
次のように変更してみてください:
if (!EventLog.SourceExists(cs))
EventLog.CreateEventSource(cs, "Application");
EventLog.WriteEntry(cs, message, EventLogEntryType.Error);
また:sharepointの内部では、アプリがログインユーザーとして(Windows認証または委任を介して)実行されている場合、ユーザーはイベントソースを作成するためのアクセス権を持ちません。この場合、1つの秘trickは、ThreadPoolスレッドを使用してイベントを作成することです。作成されたスレッドは、アプリケーションプールを実行しているユーザーのセキュリティコンテキストを持ちます。
イベントログを実装する方法は次のとおりです。さまざまなログメカニズムを交換できるように、汎用ILoggerインターフェイスを作成しました。
interface ILogger
{
void Debug(string text);
void Warn(string text);
void Error(string text);
void Error(string text, Exception ex);
}
私の実装クラスは非常に簡単です:
class EventLogger : ILogger
{
public void Debug(string text)
{
EventLog.WriteEntry("MyAppName", text, EventLogEntryType.Information);
}
public void Warn(string text)
{
EventLog.WriteEntry("MyAppName", text, EventLogEntryType.Warning);
}
public void Error(string text)
{
EventLog.WriteEntry("MyAppName", text, EventLogEntryType.Error);
}
public void Error(string text, Exception ex)
{
Error(text);
Error(ex.StackTrace);
}
}
EventLogをインスタンス化しないことに注意してください。ロガークラスを使用するには、次の参照が必要です(これは静的ファクトリメソッドによって返されます)。
private static readonly ILogger log = new EventLogger();
実際の使用方法は次のとおりです。
try
{
// business logic
}
catch (Exception ex)
{
log.Error("Exception in MyMethodName()", ex);
}
private void WriteEventLogToFile()
{
try
{
using (EventLog eventLog = new EventLog("Application"))
{
// source for your event
eventLog.Source = "IAStorDataMgrSvc";
// Syntax details
// eventLog.WriteEntry("details",type of event,event id);
eventLog.WriteEntry("Hard disk Failure details", EventLogEntryType.Information, 11);
}
}
catch (Exception)
{
throw;
}
}