欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

.NET 6开发TodoList应用之实现接口请求验证

程序员文章站 2022-06-22 12:01:14
目录需求目标原理与思路实现验证一点扩展总结参考资料需求在响应请求处理的过程中,我们经常需要对请求参数的合法性进行校验,如果参数不合法,将不继续进行业务逻辑的处理。我们当然可以将每个接口的参数校验逻辑写...

需求

在响应请求处理的过程中,我们经常需要对请求参数的合法性进行校验,如果参数不合法,将不继续进行业务逻辑的处理。我们当然可以将每个接口的参数校验逻辑写到对应的handle方法中,但是更好的做法是借助mediatr提供的特性,将这部分与实际业务逻辑无关的代码整理到单独的地方进行管理。

为了实现这个需求,我们需要结合fluentvalidation和mediatr提供的特性。

目标

将请求的参数校验逻辑从cqrs的handler中分离到mediatr的pipeline框架中处理。

原理与思路

mediatr不仅提供了用于实现cqrs的框架,还提供了ipipelinebehavior<trequest, tresult>接口用于实现cqrs响应之前进行一系列的与实际业务逻辑不紧密相关的特性,诸如请求日志、参数校验、异常处理、授权、性能监控等等功能。

在本文中我们将结合fluentvalidation和ipipelinebehavior<trequest, tresult>实现对请求参数的校验功能。

实现

添加mediatr参数校验pipeline behavior框架支持#

首先向application项目中引入fluentvalidation.dependencyinjectionextensionsnuget包。为了抽象所有的校验异常,先创建validationexception类:

validationexception.cs

namespace todolist.application.common.exceptions;

public class validationexception : exception
{
    public validationexception() : base("one or more validation failures have occurred.")
    {
    }

    public validationexception(string failures)
        : base(failures)
    {
    }
}

参数校验的基础框架我们创建到application/common/behaviors/中:

validationbehaviour.cs

using fluentvalidation;
using fluentvalidation.results;
using mediatr;
using validationexception = todolist.application.common.exceptions.validationexception;

namespace todolist.application.common.behaviors;

public class validationbehaviour<trequest, tresponse> : ipipelinebehavior<trequest, tresponse>
    where trequest : notnull
{
    private readonly ienumerable<ivalidator<trequest>> _validators;

    // 注入所有自定义的validators
    public validationbehaviour(ienumerable<ivalidator<trequest>> validators) 
        => _validators = validators;

    public async task<tresponse> handle(trequest request, cancellationtoken cancellationtoken, requesthandlerdelegate<tresponse> next)
    {
        if (_validators.any())
        {
            var context = new validationcontext<trequest>(request);

            var validationresults = await task.whenall(_validators.select(v => v.validateasync(context, cancellationtoken)));

            var failures = validationresults
                .where(r => r.errors.any())
                .selectmany(r => r.errors)
                .tolist();

            // 如果有validator校验失败,抛出异常,这里的异常是我们自定义的包装类型
            if (failures.any())
                throw new validationexception(getvalidationerrormessage(failures));
        }
        return await next();
    }

    // 格式化校验失败消息
    private string getvalidationerrormessage(ienumerable<validationfailure> failures)
    {
        var failuredict = failures
            .groupby(e => e.propertyname, e => e.errormessage)
            .todictionary(failuregroup => failuregroup.key, failuregroup => failuregroup.toarray());

        return string.join(";", failuredict.select(kv => kv.key + ": " + string.join(' ', kv.value.toarray())));
    }
}

在dependencyinjection中进行依赖注入:

dependencyinjection.cs

// 省略其他...
services.addvalidatorsfromassembly(assembly.getexecutingassembly());
services.addtransient(typeof(ipipelinebehavior<,>), typeof(validationbehaviour<,>) 

添加validation pipeline behavior

接下来我们以添加todoitem接口为例,在application/todoitems/createtodoitem/中创建createtodoitemcommandvalidator:

createtodoitemcommandvalidator.cs

using fluentvalidation;
using microsoft.entityframeworkcore;
using todolist.application.common.interfaces;
using todolist.domain.entities;

namespace todolist.application.todoitems.commands.createtodoitem;

public class createtodoitemcommandvalidator : abstractvalidator<createtodoitemcommand>
{
    private readonly irepository<todoitem> _repository;

    public createtodoitemcommandvalidator(irepository<todoitem> repository)
    {
        _repository = repository;

        // 我们把最大长度限制到10,以便更好地验证这个校验
        // 更多的用法请参考fluentvalidation官方文档
        rulefor(v => v.title)
            .maximumlength(10).withmessage("todoitem title must not exceed 10 characters.").withseverity(severity.warning)
            .notempty().withmessage("title is required.").withseverity(severity.error)
            .mustasync(beuniquetitle).withmessage("the specified title already exists.").withseverity(severity.warning);
    }

    public async task<bool> beuniquetitle(string title, cancellationtoken cancellationtoken)
    {
        return await _repository.getasqueryable().allasync(l => l.title != title, cancellationtoken);
    }
}

其他接口的参数校验添加方法与此类似,不再继续演示。

验证

启动api项目,我们用一个校验会失败的请求去创建todoitem:

请求

.NET 6开发TodoList应用之实现接口请求验证

响应

.NET 6开发TodoList应用之实现接口请求验证

因为之前测试的时候已经在没有加校验的时候用同样的请求生成了一个todoitem,所以校验失败的消息里有两项校验都没有满足。

一点扩展

我们在前文中说了使用mediatr的pipelinebehavior可以实现在cqrs请求前执行一些逻辑,其中就包含了日志记录,这里就把实现方式也放在下面,在这里我们使用的是pipeline里的irequestpreprocessor<trequest>接口实现,因为只关心请求处理前的信息,如果关心请求处理返回后的信息,那么和前文一样,需要实现ipipelinebehavior<trequest, tresponse>接口并在handle中返回response对象:

// 省略其他...
var response = await next();
//response
_logger.loginformation($"handled {typeof(tresponse).name}");

return response;

创建一个loggingbehavior:

using system.reflection;
using mediatr.pipeline;
using microsoft.extensions.logging;

public class loggingbehaviour<trequest> : irequestpreprocessor<trequest> where trequest : notnull
{
    private readonly ilogger<loggingbehaviour<trequest>> _logger;

    // 在构造函数中后面我们还可以注入类似icurrentuser和iidentity相关的对象进行日志输出
    public loggingbehaviour(ilogger<loggingbehaviour<trequest>> logger)
    {
        _logger = logger;
    }

    public async task process(trequest request, cancellationtoken cancellationtoken)
    {
        // 你可以在这里log关于请求的任何信息
        _logger.loginformation($"handling {typeof(trequest).name}");

        ilist<propertyinfo> props = new list<propertyinfo>(request.gettype().getproperties());
        foreach (var prop in props)
        {
            var propvalue = prop.getvalue(request, null);
            _logger.loginformation("{property} : {@value}", prop.name, propvalue);
        }
    }
}

如果是实现ipipelinebehavior<trequest, tresponse>接口,最后注入即可。

// 省略其他...
services.addtransient(typeof(ipipelinebehavior<,>), typeof(loggingbehaviour<,>));

如果实现irequestpreprocessor<trequest>接口,则不需要再进行注入。

效果如下图所示:

.NET 6开发TodoList应用之实现接口请求验证

可以看到日志中已经输出了command名称和请求参数字段值。

总结

在本文中我们通过fluentvalidation和mediatr实现了不侵入业务代码的请求参数校验逻辑,在下一篇文章中我们将介绍.net开发中会经常用到的actionfilters。

参考资料

fluentvalidation

how to use mediatr pipeline behaviours 

到此这篇关于.net 6开发todolist应用之实现接口请求验证的文章就介绍到这了,更多相关.net 6接口请求验证内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!