-
-
Notifications
You must be signed in to change notification settings - Fork 7.7k
/
Copy pathparse-array.pipe.ts
166 lines (154 loc) · 5.14 KB
/
parse-array.pipe.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
import { Injectable } from '../decorators/core/injectable.decorator';
import { Optional } from '../decorators/core/optional.decorator';
import { HttpStatus } from '../enums/http-status.enum';
import { Type } from '../interfaces';
import {
ArgumentMetadata,
PipeTransform,
} from '../interfaces/features/pipe-transform.interface';
import { HttpErrorByCode } from '../utils/http-error-by-code.util';
import { isNil, isUndefined, isString } from '../utils/shared.utils';
import { ValidationPipe, ValidationPipeOptions } from './validation.pipe';
const VALIDATION_ERROR_MESSAGE = 'Validation failed (parsable array expected)';
const DEFAULT_ARRAY_SEPARATOR = ',';
/**
* @publicApi
*/
export interface ParseArrayOptions
extends Omit<
ValidationPipeOptions,
'transform' | 'validateCustomDecorators' | 'exceptionFactory'
> {
items?: Type<unknown>;
separator?: string;
optional?: boolean;
exceptionFactory?: (error: any) => any;
}
/**
* Defines the built-in ParseArray Pipe
*
* @see [Built-in Pipes](https://docs.nestjs.com/pipes#built-in-pipes)
*
* @publicApi
*/
@Injectable()
export class ParseArrayPipe implements PipeTransform {
protected readonly validationPipe: ValidationPipe;
protected exceptionFactory: (error: string) => any;
constructor(@Optional() protected readonly options: ParseArrayOptions = {}) {
this.validationPipe = new ValidationPipe({
transform: true,
validateCustomDecorators: true,
...options,
});
const { exceptionFactory, errorHttpStatusCode = HttpStatus.BAD_REQUEST } =
options;
this.exceptionFactory =
exceptionFactory ||
(error => new HttpErrorByCode[errorHttpStatusCode](error));
}
/**
* Method that accesses and performs optional transformation on argument for
* in-flight requests.
*
* @param value currently processed route argument
* @param metadata contains metadata about the currently processed route argument
*/
async transform(value: any, metadata: ArgumentMetadata): Promise<any> {
if (!value && !this.options.optional) {
throw this.exceptionFactory(VALIDATION_ERROR_MESSAGE);
} else if (isNil(value) && this.options.optional) {
return value;
}
if (!Array.isArray(value)) {
if (!isString(value)) {
throw this.exceptionFactory(VALIDATION_ERROR_MESSAGE);
} else {
try {
value = value
.trim()
.split(this.options.separator || DEFAULT_ARRAY_SEPARATOR);
} catch {
throw this.exceptionFactory(VALIDATION_ERROR_MESSAGE);
}
}
}
if (this.options.items) {
const validationMetadata: ArgumentMetadata = {
metatype: this.options.items,
type: 'query',
};
const isExpectedTypePrimitive = this.isExpectedTypePrimitive();
const toClassInstance = (item: any, index?: number) => {
try {
item = JSON.parse(item);
} catch {}
if (isExpectedTypePrimitive) {
return this.validatePrimitive(item, index);
}
return this.validationPipe.transform(item, validationMetadata);
};
if (this.options.stopAtFirstError === false) {
// strict compare to "false" to make sure
// that this option is disabled by default
let errors = [];
const targetArray = value as Array<unknown>;
for (let i = 0; i < targetArray.length; i++) {
try {
targetArray[i] = await toClassInstance(targetArray[i]);
} catch (err) {
let message: string[] | unknown;
if ((err as any).getResponse) {
const response = (err as any).getResponse();
if (Array.isArray(response.message)) {
message = response.message.map(
(item: string) => `[${i}] ${item}`,
);
} else {
message = `[${i}] ${response.message}`;
}
} else {
message = err;
}
errors = errors.concat(message);
}
}
if (errors.length > 0) {
throw this.exceptionFactory(errors as any);
}
return targetArray;
} else {
value = await Promise.all(value.map(toClassInstance));
}
}
return value;
}
protected isExpectedTypePrimitive(): boolean {
return [Boolean, Number, String].includes(this.options.items as any);
}
protected validatePrimitive(originalValue: any, index?: number) {
if (this.options.items === Number) {
const value =
originalValue !== null && originalValue !== '' ? +originalValue : NaN;
if (isNaN(value)) {
throw this.exceptionFactory(
`${isUndefined(index) ? '' : `[${index}] `}item must be a number`,
);
}
return value;
} else if (this.options.items === String) {
if (!isString(originalValue)) {
return `${originalValue}`;
}
} else if (this.options.items === Boolean) {
if (typeof originalValue !== 'boolean') {
throw this.exceptionFactory(
`${
isUndefined(index) ? '' : `[${index}] `
}item must be a boolean value`,
);
}
}
return originalValue;
}
}