Skip to content

Commit 01c89ba

Browse files
authored
Merge pull request #310 from serilog/dev
6.1.0 Release
2 parents 0f301ae + fd7da3a commit 01c89ba

22 files changed

+1041
-1079
lines changed

Directory.Build.props

+12
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,12 @@
1+
<Project>
2+
<PropertyGroup>
3+
<LangVersion>latest</LangVersion>
4+
<TreatWarningsAsErrors>True</TreatWarningsAsErrors>
5+
<SignAssembly>true</SignAssembly>
6+
<AssemblyOriginatorKeyFile>../../assets/Serilog.snk</AssemblyOriginatorKeyFile>
7+
<PublicSign Condition=" '$(OS)' != 'Windows_NT' ">true</PublicSign>
8+
<CheckEolTargetFramework>false</CheckEolTargetFramework>
9+
<Nullable>enable</Nullable>
10+
<ImplicitUsings>enable</ImplicitUsings>
11+
</PropertyGroup>
12+
</Project>

README.md

+55-91
Original file line numberDiff line numberDiff line change
@@ -18,53 +18,38 @@ dotnet add package Serilog.AspNetCore
1818

1919
```csharp
2020
using Serilog;
21-
using Serilog.Events;
2221

23-
public class Program
22+
Log.Logger = new LoggerConfiguration()
23+
.WriteTo.Console()
24+
.CreateLogger();
25+
26+
try
2427
{
25-
public static int Main(string[] args)
26-
{
27-
Log.Logger = new LoggerConfiguration()
28-
.MinimumLevel.Override("Microsoft", LogEventLevel.Information)
29-
.Enrich.FromLogContext()
30-
.WriteTo.Console()
31-
.CreateLogger();
28+
Log.Information("Starting web application");
3229

33-
try
34-
{
35-
Log.Information("Starting web host");
36-
CreateHostBuilder(args).Build().Run();
37-
return 0;
38-
}
39-
catch (Exception ex)
40-
{
41-
Log.Fatal(ex, "Host terminated unexpectedly");
42-
return 1;
43-
}
44-
finally
45-
{
46-
Log.CloseAndFlush();
47-
}
48-
}
49-
```
30+
var builder = WebApplication.CreateBuilder(args);
31+
32+
builder.Host.UseSerilog(); // <-- Add this line
33+
34+
var app = builder.Build();
5035

51-
**Then**, add `UseSerilog()` to the Generic Host in `CreateHostBuilder()`.
36+
app.MapGet("/", () => "Hello World!");
5237

53-
```csharp
54-
public static IHostBuilder CreateHostBuilder(string[] args) =>
55-
Host.CreateDefaultBuilder(args)
56-
.UseSerilog() // <-- Add this line
57-
.ConfigureWebHostDefaults(webBuilder =>
58-
{
59-
webBuilder.UseStartup<Startup>();
60-
});
38+
app.Run();
39+
}
40+
catch (Exception ex)
41+
{
42+
Log.Fatal(ex, "Application terminated unexpectedly");
43+
}
44+
finally
45+
{
46+
Log.CloseAndFlush();
6147
}
6248
```
6349

64-
**Finally**, clean up by removing the remaining configuration for the default logger:
50+
The `builder.Host.UseSerilog()` call will redirect all log events through your Serilog pipeline.
6551

66-
* Remove the `"Logging"` section from _appsettings.*.json_ files (this can be replaced with [Serilog configuration](https://github.com/serilog/serilog-settings-configuration) as shown in [the _Sample_ project](https://github.com/serilog/serilog-aspnetcore/blob/dev/samples/Sample/Program.cs), if required)
67-
* Remove `UseApplicationInsights()` (this can be replaced with the [Serilog AI sink](https://github.com/serilog/serilog-sinks-applicationinsights), if required)
52+
**Finally**, clean up by removing the remaining configuration for the default logger, including the `"Logging"` section from _appsettings.*.json_ files (this can be replaced with [Serilog configuration](https://github.com/serilog/serilog-settings-configuration) as shown in [the _Sample_ project](https://github.com/serilog/serilog-aspnetcore/blob/dev/samples/Sample/Program.cs), if required).
6853

6954
That's it! With the level bumped up a little you will see log output resembling:
7055

@@ -118,23 +103,14 @@ To enable the middleware, first change the minimum level for `Microsoft.AspNetCo
118103
.MinimumLevel.Override("Microsoft.AspNetCore", LogEventLevel.Warning)
119104
```
120105

121-
Then, in your application's _Startup.cs_, add the middleware with `UseSerilogRequestLogging()`:
106+
Then, in your application's _Program.cs_, add the middleware with `UseSerilogRequestLogging()`:
122107

123108
```csharp
124-
public void Configure(IApplicationBuilder app, IHostingEnvironment env)
125-
{
126-
if (env.IsDevelopment())
127-
{
128-
app.UseDeveloperExceptionPage();
129-
}
130-
else
131-
{
132-
app.UseExceptionHandler("/Home/Error");
133-
}
134-
135-
app.UseSerilogRequestLogging(); // <-- Add this line
136-
137-
// Other app configuration
109+
var app = builder.Build();
110+
111+
app.UseSerilogRequestLogging(); // <-- Add this line
112+
113+
// Other app configuration
138114
```
139115

140116
It's important that the `UseSerilogRequestLogging()` call appears _before_ handlers such as MVC. The middleware will not time or log components that appear before it in the pipeline. (This can be utilized to exclude noisy handlers from logging, such as `UseStaticFiles()`, by placing `UseSerilogRequestLogging()` after them.)
@@ -204,31 +180,21 @@ To use this technique, first replace the initial `CreateLogger()` call with `Cre
204180
using Serilog;
205181
using Serilog.Events;
206182

207-
public class Program
208-
{
209-
public static int Main(string[] args)
210-
{
211-
Log.Logger = new LoggerConfiguration()
212-
.MinimumLevel.Override("Microsoft", LogEventLevel.Information)
213-
.Enrich.FromLogContext()
214-
.WriteTo.Console()
215-
.CreateBootstrapLogger(); // <-- Change this line!
183+
Log.Logger = new LoggerConfiguration()
184+
.MinimumLevel.Override("Microsoft", LogEventLevel.Information)
185+
.Enrich.FromLogContext()
186+
.WriteTo.Console()
187+
.CreateBootstrapLogger(); // <-- Change this line!
216188
```
217189

218190
Then, pass a callback to `UseSerilog()` that creates the final logger:
219191

220192
```csharp
221-
public static IHostBuilder CreateHostBuilder(string[] args) =>
222-
Host.CreateDefaultBuilder(args)
223-
.UseSerilog((context, services, configuration) => configuration
224-
.ReadFrom.Configuration(context.Configuration)
225-
.ReadFrom.Services(services)
226-
.Enrich.FromLogContext()
227-
.WriteTo.Console())
228-
.ConfigureWebHostDefaults(webBuilder =>
229-
{
230-
webBuilder.UseStartup<Startup>();
231-
});
193+
builder.Host.UseSerilog((context, services, configuration) => configuration
194+
.ReadFrom.Configuration(context.Configuration)
195+
.ReadFrom.Services(services)
196+
.Enrich.FromLogContext()
197+
.WriteTo.Console());
232198
```
233199

234200
It's important to note that the final logger **completely replaces** the bootstrap logger: if you want both to log to the console, for instance, you'll need to specify `WriteTo.Console()` in both places, as the example shows.
@@ -256,7 +222,7 @@ By default, Serilog ignores providers, since there are usually equivalent Serilo
256222
To have Serilog pass events to providers, **using two-stage initialization** as above, pass `writeToProviders: true` in the call to `UseSerilog()`:
257223

258224
```csharp
259-
.UseSerilog(
225+
builder.Host.UseSerilog(
260226
(hostingContext, services, loggerConfiguration) => /* snip! */,
261227
writeToProviders: true)
262228
```
@@ -276,23 +242,21 @@ To write newline-delimited JSON, pass a `CompactJsonFormatter` or `RenderedCompa
276242
The Azure Diagnostic Log Stream ships events from any files in the `D:\home\LogFiles\` folder. To enable this for your app, add a file sink to your `LoggerConfiguration`, taking care to set the `shared` and `flushToDiskInterval` parameters:
277243

278244
```csharp
279-
public static int Main(string[] args)
280-
{
281-
Log.Logger = new LoggerConfiguration()
282-
.MinimumLevel.Debug()
283-
.MinimumLevel.Override("Microsoft", LogEventLevel.Information)
284-
.Enrich.FromLogContext()
285-
.WriteTo.Console()
286-
// Add this line:
287-
.WriteTo.File(
288-
System.IO.Path.Combine(Environment.GetEnvironmentVariable("HOME"), "LogFiles", "Application", "diagnostics.txt"),
289-
rollingInterval: RollingInterval.Day,
290-
fileSizeLimitBytes: 10 * 1024 * 1024,
291-
retainedFileCountLimit: 2,
292-
rollOnFileSizeLimit: true,
293-
shared: true,
294-
flushToDiskInterval: TimeSpan.FromSeconds(1))
295-
.CreateLogger();
245+
Log.Logger = new LoggerConfiguration()
246+
.MinimumLevel.Debug()
247+
.MinimumLevel.Override("Microsoft", LogEventLevel.Information)
248+
.Enrich.FromLogContext()
249+
.WriteTo.Console()
250+
// Add this line:
251+
.WriteTo.File(
252+
System.IO.Path.Combine(Environment.GetEnvironmentVariable("HOME"), "LogFiles", "Application", "diagnostics.txt"),
253+
rollingInterval: RollingInterval.Day,
254+
fileSizeLimitBytes: 10 * 1024 * 1024,
255+
retainedFileCountLimit: 2,
256+
rollOnFileSizeLimit: true,
257+
shared: true,
258+
flushToDiskInterval: TimeSpan.FromSeconds(1))
259+
.CreateLogger();
296260
```
297261

298262
### Pushing properties to the `ILogger<T>`

appveyor.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ deploy:
1212
- provider: NuGet
1313
skip_symbols: true
1414
api_key:
15-
secure: U7I8Skf+EcC7PiqvLWpSzPqNhCg03cqDOi4OtAkb+ZelMlQj1YoKDX8r1pdQzy7H
15+
secure: JZt0dILdf7cKm+rCtxfAHFGefHJHUUtt8Imm+J3+LtqTeVKODNZ7nyLjrP+QGBk5
1616
on:
1717
branch: /^(main|dev)$/
1818
- provider: GitHub

global.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
{
22
"sdk": {
33
"allowPrerelease": false,
4-
"version": "5.0.201",
4+
"version": "6.0.401",
55
"rollForward": "latestFeature"
66
}
77
}
+33-40
Original file line numberDiff line numberDiff line change
@@ -1,47 +1,40 @@
1-
using System;
2-
using System.Collections.Generic;
3-
using System.Diagnostics;
4-
using System.Linq;
5-
using System.Threading;
6-
using System.Threading.Tasks;
1+
using System.Diagnostics;
72
using Microsoft.AspNetCore.Mvc;
8-
using Microsoft.Extensions.Logging;
93
using Sample.Models;
104
using Serilog;
115

12-
namespace Sample.Controllers
6+
namespace Sample.Controllers;
7+
8+
public class HomeController : Controller
139
{
14-
public class HomeController : Controller
10+
static int _callCount;
11+
12+
readonly ILogger<HomeController> _logger;
13+
readonly IDiagnosticContext _diagnosticContext;
14+
15+
public HomeController(ILogger<HomeController> logger, IDiagnosticContext diagnosticContext)
16+
{
17+
_logger = logger ?? throw new ArgumentNullException(nameof(logger));
18+
_diagnosticContext = diagnosticContext ?? throw new ArgumentNullException(nameof(diagnosticContext));
19+
}
20+
21+
public IActionResult Index()
22+
{
23+
_logger.LogInformation("Hello, world!");
24+
25+
_diagnosticContext.Set("IndexCallCount", Interlocked.Increment(ref _callCount));
26+
27+
return View();
28+
}
29+
30+
public IActionResult Privacy()
31+
{
32+
throw new InvalidOperationException("Something went wrong.");
33+
}
34+
35+
[ResponseCache(Duration = 0, Location = ResponseCacheLocation.None, NoStore = true)]
36+
public IActionResult Error()
1537
{
16-
static int _callCount;
17-
18-
readonly ILogger<HomeController> _logger;
19-
readonly IDiagnosticContext _diagnosticContext;
20-
21-
public HomeController(ILogger<HomeController> logger, IDiagnosticContext diagnosticContext)
22-
{
23-
_logger = logger ?? throw new ArgumentNullException(nameof(logger));
24-
_diagnosticContext = diagnosticContext ?? throw new ArgumentNullException(nameof(diagnosticContext));
25-
}
26-
27-
public IActionResult Index()
28-
{
29-
_logger.LogInformation("Hello, world!");
30-
31-
_diagnosticContext.Set("IndexCallCount", Interlocked.Increment(ref _callCount));
32-
33-
return View();
34-
}
35-
36-
public IActionResult Privacy()
37-
{
38-
throw new InvalidOperationException("Something went wrong.");
39-
}
40-
41-
[ResponseCache(Duration = 0, Location = ResponseCacheLocation.None, NoStore = true)]
42-
public IActionResult Error()
43-
{
44-
return View(new ErrorViewModel {RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier});
45-
}
38+
return View(new ErrorViewModel {RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier});
4639
}
47-
}
40+
}
+4-7
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,8 @@
1-
using System;
1+
namespace Sample.Models;
22

3-
namespace Sample.Models
3+
public class ErrorViewModel
44
{
5-
public class ErrorViewModel
6-
{
7-
public string RequestId { get; set; }
5+
public string? RequestId { get; set; }
86

9-
public bool ShowRequestId => !string.IsNullOrEmpty(RequestId);
10-
}
7+
public bool ShowRequestId => !string.IsNullOrEmpty(RequestId);
118
}

0 commit comments

Comments
 (0)