Как войти в файл в основном веб-приложении asp.net - без каких-либо сторонних инструментов

В настоящее время у меня запущено приложение, в котором я хочу, чтобы журналы помещались в файл, чтобы Datadog мог их получить.

В настоящее время я просто использую исходный генератор для ведения журнала, но как мне записать этот журнал в файл?

Я попытался изменить web.config и развернуть его в iis, но, похоже, ничего не записывается в файл, затем я вручную создал папку журнала, но внутри все еще ничего не помещалось.

      <?xml version="1.0" encoding="utf-8"?>
<configuration>

  <!-- To customize the asp.net core module uncomment and edit the following section. 
  For more info see https://go.microsoft.com/fwlink/?linkid=838655 -->
    
  <system.webServer>
    <handlers>
      <remove name="aspNetCore"/>
      <add name="aspNetCore" path="*" verb="*" modules="AspNetCoreModuleV2" resourceType="Unspecified"/>
    </handlers>
    <aspNetCore processPath="%LAUNCHER_PATH%" arguments="%LAUNCHER_ARGS%" stdoutLogEnabled="true" stdoutLogFile=".\logs\stdout" />
  </system.webServer>


</configuration>

Итак, как мне записать свои журналы в файл?

Как я сейчас регистрируюсь

      public partial class RequestResponseLoggerMiddleware
{
    private readonly RequestDelegate _next;
    private readonly ILogger _logger;

    public RequestResponseLoggerMiddleware(RequestDelegate next,
                                    ILoggerFactory loggerFactory)
    {
        _next = next;
        _logger = loggerFactory
                  .CreateLogger<RequestResponseLoggerMiddleware>();
    }

    [LoggerMessage(0, LogLevel.Information, "{requestUrl} proxied to {proxiedUrl}")]
    partial void LogRequest(string requestUrl, string proxiedUrl);

    public async Task Invoke(HttpContext context)
    {
        //code dealing with the request
        string requestUrl = context.Request.GetDisplayUrl();
        string path = context.Request.Path;          
        
        await _next(context);

        var proxyFeature = context.GetReverseProxyFeature();
        Yarp.ReverseProxy.Model.DestinationState? destination = proxyFeature.ProxiedDestination;
        if (destination != null)
        {
            string proxiedUrl = destination.Model.Config.Address + path;

            //code dealing with the response
            LogRequest(requestUrl, proxiedUrl);
        }
        else
        {
            LogRequest(requestUrl, string.Empty);
        }
    }

}

программа.cs

      var builder = WebApplication.CreateBuilder(args);
builder.Services.AddReverseProxy().LoadFromConfig(builder.Configuration.GetSection("ReverseProxy"));

var app = builder.Build();
app.MapReverseProxy(proxyPipeline =>
{
    proxyPipeline.UseRequestResponseLogging();
});
app.UseHttpsRedirection();
app.Run();

appsettings.json

      {
  "Logging": {
    "LogLevel": {
      "Default": "Information",
      "Microsoft.AspNetCore": "Warning"
    }
  },
  "AllowedHosts": "*",
  "ReverseProxy": {
    "Routes": {
      "force": {
        "ClusterId": "old-site",
        "Match": {
          "Path": "{**catch-all}"
        }
      },
      "azure": {
        "ClusterId": "new-site",
        "Match": {
          "Path": "yarpb"
        }
      }
    },
    "Clusters": {
      "old-site": {
        "Destinations": {
          "force": {
            "Address": "https://example.com/"
          }
        }
      },
      "new-site": {
        "Destinations": {
          "yarpb": {
            "Address": "https://localhost:61000/"
          }
        }
      }
    }
  }
}

2 ответа

Для этого вы можете использовать .NET Trace Listeners.

https://www.daveoncsharp.com/2009/09/create-a-logger-using-the-trace-listener-in-csharp/

Немного другой подход, но если вы используете Datadog, подумайте о том, чтобы просто написать в средство просмотра событий Windows.

      public void WriteToEventLog(string sLog, string sSource, string message, EventLogEntryType level) {  

  
    if (!EventLog.SourceExists(sSource)) EventLog.CreateEventSource(sSource, sLog);  
  
    EventLog.WriteEntry(sSource, message, level);  
} 

Затем с Datadog:

      - type: windows_event
  channel_path: System
  source: System
  service: eventlog
  log_processing_rules:
   - type: exclude_at_match
     name: exclude_information_event
     pattern: ^.*[Ll]evel.*Information.* 
Другие вопросы по тегам