本文内容来自书籍: Marinko Spasojevic - Ultimate ASP.NET Core Web API - From Zero To Six-Figure Backend Developer (2nd edition)
使用Log服务可以让我们了解程序在运行过程中产生的一些信息
.NET Core有已经实现了的日志服务,但是一般在我们自己的项目中,我们会创建自己的日志服务
我们会创建一个抽象层,这样可以让我们将日志的实现隐藏在接口后面,在某些时候切换日志的实现但是对上层没有影响
首先创建一个接口库Contracts
,然后创建一个日志实现库LoggerService
,让LoggerService
依赖Contracts
我们的服务会有四个方法,然后在Contracts
中的ILoggerManager
加入这四个方法
public interface ILoggerManager { void LogInfo(string message); void LogWarn(string message); void LogDebug(string message); void LogError(string message); }
在实现这个接口之前,需要在LoggerService
安装日志实现库NLog
LoggerService
中实现ILoggerManager
接口public class LoggerManager : ILoggerManager { private static ILogger logger = LogManager.GetCurrentClassLogger(); public LoggerManager() {} public void LogDebug(string message) => logger.Debug(message); public void LogError(string message) => logger.Error(message); public void LogInfo(string message) => logger.Info(message); public void LogWarn(string message) => logger.Warn(message); }
可以看到,我们的实现,只是对NLog
的一个包装
NLog
NLog
需要知道我们的日志文件放在哪里,文件的命名规则是什么,最小的日志等级是多少
需要在项目中创建配置文件nlog.config
<?xml version="1.0" encoding="utf-8" ?> <nlog xmlns="http://www.nlog-project.org/schemas/NLog.xsd" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" autoReload="true" internalLogLevel="Trace" internalLogFile=".\internal_logs\internallog.txt"> <targets> <target name="logfile" xsi:type="File" fileName=".\logs\${shortdate}_logfile.txt" layout="${longdate} ${level:uppercase=true} ${message}"/> </targets> <rules> <logger name="*" minlevel="Debug" writeTo="logfile" /> </rules> </nlog>
在主项目中,Program.cs
中,配置日志服务
LogManager.LoadConfiguration( string.Concat(Directory.GetCurrentDirectory(), "/nlog.config"));
配置之后,我们需要将日志服务注入到IoC容器中
有三种方法注入,分别是
AddSingleton
,单例,全局只有一个AddScoped
,每次请求,都会创建一个AddTransient
,临时对象,每次都会创建创建一个扩展方法
public static void ConfigureLoggerService(this IServiceCollection services) => services.AddSingleton<ILoggerManager, LoggerManager>();
在Program.cs
中注入服务
builder.Services.ConfigureLoggerService();
这样,在每次需要使用日志服务时,只需要通过构造函数依赖注入就可以直接使用了