- 使用 Spring Initializr 创建 Spring Boot 应用程序
- 在Spring Boot中配置Cassandra
- 在 Spring Boot 上配置 Tomcat 连接池
- 将Camel消息路由到嵌入WildFly的Artemis上
系列文章:
1、async-validator 源码学习(一):文档翻译
2、async-validator 源码学习笔记(二):目录结构
3、async-validator 源码学习笔记(三):rule
4、async-validator 源码学习笔记(四):validator
Schema 是 async-validator 库的标准使用方式,使用 class 类的形式和构造函数方式进行定义的。
在官方文档中 Schema 的使用方式有如下几步:
使用 demo:
//引入
import Schema from 'async-validator'
//定义校验规则
const descriptor ={
username: {
type: 'string',
required: true,
validator(rule, value) {
return value != ''},
message: '用户名不能为空',
}
}
//实例化
const validator = newSchema(descriptor )
//开始校验
validator.validate({ username:'需要验证的值' },(error, fields) =>{
if(errors){
//校验失败
returnhandleError( errors, fields )
}
//校验成功
})
//或者 promise 用法
validator.validate({ username:'需要验证的值'})
.then(res =>{
//校验成功
})
.catch(({errors,fields}) =>{
//校验失败
})
new Schema(descriptor ) 直接开始实例化了,我们看看 Schema 是如何定义的?
Schema 的构造函数:主要分为三步:
1、this 上定义实例属性 rules 为 null。
//构造函数
var Schema = function() {
functionSchema(descriptor) {
//1、实例属性 rules 默认值为空
this.rules = null;
//2、私有属性 _messages 设置初始化值
this._messages =messages;
//3、正式开始构建实例
this.define(descriptor);
}
returnSchema;
}();
Schema.warning =warning;
Schema.messages =messages;
Schema.validators =validators;
exports['default'] = Schema;
2、this 上定义一个实例私有属性 _message ,初始化值为:
functionnewMessages() {
...
}
var messages = newMessages();
3、调用原型链 define 方法,传参 descriptor 。
descriptor 是实例化时传入的校验规则。
由上可以看到,Schema 原型链上 添加了 register、warning、messages、validators 四个方法。
在实例化 Schema 之前设置 warning 方法,只要 warning 方法设置为一个空函数就能够屏蔽控制台警告。
Schema.warning = () =>{}
//don't print warning message when in production env or node runtime
可以发现 warning 本身就被设为了一个空函数,只有在开发环境或非 node运行时,才会用 console.warn 打印出 errors 数组中的每一个 error。
var warning = functionwarning() {};
//don't print warning message when in production env or node runtime
if (typeof process !== 'undefined' && process.env && process.env.NODE_ENV !== 'production' && typeof window !== 'undefined' && typeof document !== 'undefined') {
warning = functionwarning(type, errors) {
if (typeof console !== 'undefined' && console.warn && typeof ASYNC_VALIDATOR_NO_WARNING === 'undefined') {
if (errors.every(function(e) {
return typeof e === 'string';
})) {
console.warn(type, errors);
}
}
};
}
Schema 中的 message 方法实质是根据不同类型校验失败后错误提示使用的提示信息模板。官方提供了一个默认的模板:
functionnewMessages() {
return{
"default": 'Validation error on field %s',
required: '%s is required',
"enum": '%s must be one of %s',
whitespace: '%s cannot be empty',
date: {
format: '%s date %s is invalid for format %s',
parse: '%s date could not be parsed, %s is invalid ',
invalid: '%s date %s is invalid'},
types: {
string: '%s is not a %s',
method: '%s is not a %s (function)',
array: '%s is not an %s',
object: '%s is not an %s',
number: '%s is not a %s',
date: '%s is not a %s',
"boolean": '%s is not a %s',
integer: '%s is not an %s',
"float": '%s is not a %s',
regexp: '%s is not a valid %s',
email: '%s is not a valid %s',
url: '%s is not a valid %s',
hex: '%s is not a valid %s'},
string: {
len: '%s must be exactly %s characters',
min: '%s must be at least %s characters',
max: '%s cannot be longer than %s characters',
range: '%s must be between %s and %s characters'},
number: {
len: '%s must equal %s',
min: '%s cannot be less than %s',
max: '%s cannot be greater than %s',
range: '%s must be between %s and %s'},
array: {
len: '%s must be exactly %s in length',
min: '%s cannot be less than %s in length',
max: '%s cannot be greater than %s in length',
range: '%s must be between %s and %s in length'},
pattern: {
mismatch: '%s value %s does not match pattern %s'},
clone: functionclone() {
var cloned = JSON.parse(JSON.stringify(this));
cloned.clone = this.clone;
returncloned;
}
};
}
var messages = newMessages();
上述是官方提供的默认模板提示信息,还可以根据自己的项目进行定制化,因为官方也提供了 deepMerge 方法:
_proto.messages = functionmessages(_messages) {
if(_messages) {
this._messages =deepMerge(newMessages(), _messages);
}
return this._messages;
};
/*深度合并 */
functiondeepMerge(target, source) {
if(source) {
//更新 message
for (var s insource) {
if(source.hasOwnProperty(s)) {
var value =source[s];
if (typeof value === 'object' && typeof target[s] === 'object') {
target[s] =_extends({}, target[s], value);
} else{
target[s] =value;
}
}
}
}
returntarget;
}
所以可以根据自己项目需求,可以自己定制化一个 message 校验提示。
validator 主要作用是为用户提供各种数据类型的验证方法。
var validators ={
string: string,
method: method,
number: number,
"boolean": _boolean,
regexp: regexp,
integer: integer,
"float": floatFn,
array: array,
object: object,
"enum": enumerable,
pattern: pattern,
date: date,
url: type,
hex: type,
email: type,
required: required,
any: any
};
以对string类型的判断为例
rule: 在源descriptor中,与要校验的字段名称相对应的校验规则。始终为它分配一个field属性,其中包含要验证的字段的名称。
//这个样子
{
[field: string]: RuleItem |RuleItem[]
}
//例子
{name:{type: "string", required: true, message: "Name is required"}}
除了 validators 方法,还提供了 register 方法,用于新增类型校验器:
Schema.register = functionregister(type, validator) {
//validator 必须是函数
if (typeof validator !== 'function') {
//无法按类型注册验证程序,验证程序不是函数
throw new Error('Cannot register a validator by type, validator is not a function');
}
validators[type] =validator;
};
我有带皮肤的 DNN。我的 head 标签有 runat="server"所以我尝试在 head 标签内添加一个标签 "> 在后面的代码中,我在属性中设置了 var GoogleAPIkey。问题是它
我在 Node.JS 中有一个导出模块 exports.doSomethingImportant= function(req, res) { var id = req.params.id; Demo.
我是 F# 的新手,我一直在阅读 F# for Fun and Profit。在为什么使用 F#? 系列中,有一个 post描述异步代码。我遇到了 Async.StartChild函数,我不明白为什么
File 中有一堆相当方便的方法类,如 ReadAll***/WriteAll***/AppendAll***。 我遇到过很多情况,当我需要它们的异步对应物时,但它们根本不存在。 为什么?有什么陷阱吗
我最近开始做一个 Node 项目,并且一直在使用 async 库。我有点困惑哪个选项会更快。在某些数据上使用 async.map 并获取其结果,或使用 async.each 迭代一组用户并将他们的相应
您好,我正在试用 Springs 异步执行器,发现您可以使用 @Async。我想知道是否有可能在 @Async 中使用 @Async,要求是需要将任务委托(delegate)给 @Async 方法在第
我需要支持取消一个函数,该函数返回一个可以在启动后取消的对象。在我的例子中,requester 类位于我无法修改的第 3 方库中。 actor MyActor { ... func d
假设 asyncSendMsg不返回任何内容,我想在另一个异步块中启动它,但不等待它完成,这之间有什么区别: async { //(...async stuff...) for msg
我想用 Mocha 测试异步代码. 我跟着这个教程testing-promises-with-mocha .最后,它说最好的方法是 async/await。 以下是我的代码,我打算将 setTimeo
正如我有限(甚至错误)的理解,Async.StartImmediate 和 Async.RunSynchronously 在当前线程上启动异步计算。那么这两个功能究竟有什么区别呢?谁能帮忙解释一下?
我有一行使用await fetch() 的代码。我正在使用一些调用 eval("await fetch ...etc...") 的脚本注入(inject),但问题是 await 在执行时不会执行从ev
我正在尝试使用 nodeJS 构建一个网络抓取工具,它在网站的 HTML 中搜索图像,缓存图像源 URL,然后搜索最大尺寸的图像。 我遇到的问题是 deliverLargestImage() 在循环遍
我想结合使用 async.each 和 async.series,但得到了意想不到的结果。 async.each([1, 2], function(item, nloop) { async.s
我的代码有问题吗?我使用 async.eachSeries 但我的结果总是抛出 undefined。 这里是我的代码: async.eachSeries([1,2,3], function(data,
我想在 trait 中编写异步函数,但是因为 async fn in traits 还不被支持,我试图找到等效的方法接口(interface)。这是我在 Rust nightly (2019-01-0
async setMyPhotos() { const newPhotos = await Promise.all(newPhotoPromises); someOtherPromise();
async.js 中 async.each 与 async.every 的区别?似乎两者都相同,只是 async.every 返回结果。纠正我,我错了。 最佳答案 每个异步 .each(coll, i
我正在尝试对一组项目运行 async.each。 对于每个项目,我想运行一个 async.waterfall。请参阅下面的代码。 var ids = [1, 2]; async.each(ids,
我的目标是测试 API 调用,将延迟考虑在内。我的灵感来自 this post . 我设计了一个沙箱,其中模拟 API 需要 1000 毫秒来响应和更改全局变量 result 的值。测试检查 500
async.each 是否作为异步数组迭代工作? async.eachSeries 是否作为同步数组迭代工作?(它实际上等待响应) 我问这些是因为两者都有回调,但 async.each 的工作方式类似
我是一名优秀的程序员,十分优秀!