web-dev-qa-db-ja.com

Azure完全なWebJobログを有効にする方法

Windows AzureでコンソールアプリケーションをWebJobとして実行すると、数行のログの後に警告が追加されます。

[05/06/2014 09:42:40 > 21026c: WARN] Reached maximum allowed output lines for this run, to see all of the job's logs you can enable website application diagnostics

そしてロギングを停止します。 [〜#〜] basic [〜#〜]ホスティングプランを使用してWebサイトのすべての設定を調べていましたが、この問題を修正するものを見つけることができませんでした。

完全なwebJobログを有効にするにはどうすればよいですか?

23
Vojtech B

完全な(連続した)Webジョブログを有効にする方法は、実際にはエラーメッセージにあります:_enable website application diagnostics_、これは、Webサイトの[構成]タブでAzureポータルを介して行うことができます。システム(ただし12時間のみ)、テーブルストレージまたはBLOBストレージ。

有効にすると、Webジョブの完全なログが選択したストレージに保存されます。

Azure Webサイトのアプリケーション診断の詳細: http://Azure.Microsoft.com/en-us/documentation/articles/web-sites-enable-diagnostic-log/

22
Amit Apple

カスタムTraceWriterを使用することもできます。

例: https://Gist.github.com/aaronhoffman/3e319cf519eb8bf76c8f3e4fa6f1b4ae

JobHost config

static void Main()
{
    var config = new JobHostConfiguration();

    // Log Console.Out to SQL using custom TraceWriter
    // Note: Need to update default Microsoft.Azure.WebJobs package for config.Tracing.Tracers to be exposed/available
    config.Tracing.Tracers.Add(new SqlTraceWriter(
        TraceLevel.Info,
        "{{SqlConnectionString}}",
        "{{LogTableName}}"));

    var Host = new JobHost(config);
    Host.RunAndBlock();
}

SqlTraceWriter実装のサンプル

public class SqlTraceWriter : TraceWriter
{
    private string SqlConnectionString { get; set; }

    private string LogTableName { get; set; }

    public SqlTraceWriter(TraceLevel level, string sqlConnectionString, string logTableName)
        : base(level)
    {
        this.SqlConnectionString = sqlConnectionString;
        this.LogTableName = logTableName;
    }

    public override void Trace(TraceEvent traceEvent)
    {
        using (var sqlConnection = this.CreateConnection())
        {
            sqlConnection.Open();

            using (var cmd = new SqlCommand(string.Format("insert into {0} ([Source], [Timestamp], [Level], [Message], [Exception], [Properties]) values (@Source, @Timestamp, @Level, @Message, @Exception, @Properties)", this.LogTableName), sqlConnection))
            {
                cmd.Parameters.AddWithValue("Source", traceEvent.Source ?? "");
                cmd.Parameters.AddWithValue("Timestamp", traceEvent.Timestamp);
                cmd.Parameters.AddWithValue("Level", traceEvent.Level.ToString());
                cmd.Parameters.AddWithValue("Message", traceEvent.Message ?? "");
                cmd.Parameters.AddWithValue("Exception", traceEvent.Exception?.ToString() ?? "");
                cmd.Parameters.AddWithValue("Properties", string.Join("; ", traceEvent.Properties.Select(x => x.Key + ", " + x.Value?.ToString()).ToList()) ?? "");

                cmd.ExecuteNonQuery();
            }
        }
    }

    private SqlConnection CreateConnection()
    {
        return new SqlConnection(this.SqlConnectionString);
    }
}
4
Aaron Hoffman