Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Potentially breaking: Make null validation errors consistent across schema #1982

Merged
merged 2 commits into from
Apr 14, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
7 changes: 4 additions & 3 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -193,6 +193,7 @@ const num = number().cast('1'); // 1
const obj = object({
firstName: string().lowercase().trim(),
})
.json()
.camelCase()
.cast('{"first_name": "jAnE "}'); // { firstName: 'jane' }
```
Expand All @@ -206,14 +207,14 @@ const reversedString = string()
```

Transforms form a "pipeline", where the value of a previous transform is piped into the next one.
If the end value is `undefined` yup will apply the schema default if it's configured.
When an input value is `undefined` yup will apply the schema default if it's configured.

> Watch out! values are not guaranteed to be valid types in transform functions. Previous transforms
> may have failed. For example a number transform may be receive the input value, `NaN`, or a number.

### Validation: Tests

Yup has robust support for assertions, or "tests", over input values. Tests assert that inputs conform to some
Yup schema run "tests" over input values. Tests assert that inputs conform to some
criteria. Tests are distinct from transforms, in that they do not change or alter the input (or its type)
and are usually reserved for checks that are hard, if not impossible, to represent in static types.

Expand Down Expand Up @@ -241,7 +242,7 @@ jamesSchema.validateSync('Jane'); // ValidationError "this is not James"
> Heads up: unlike transforms, `value` in a custom test is guaranteed to be the correct type
> (in this case an optional string). It still may be `undefined` or `null` depending on your schema
> in those cases, you may want to return `true` for absent values unless your transform makes presence
> related assertions
> related assertions. The test option `skipAbsent` will do this for you if set.

#### Customizing errors

Expand Down
5 changes: 4 additions & 1 deletion src/date.ts
Original file line number Diff line number Diff line change
Expand Up @@ -47,7 +47,10 @@ export default class DateSchema<

this.withMutation(() => {
this.transform((value, _raw, ctx) => {
if (!ctx.spec.coerce || ctx.isType(value)) return value;
// null -> InvalidDate isn't useful; treat all nulls as null and let it fail on
// nullability check vs TypeErrors
if (!ctx.spec.coerce || ctx.isType(value) || value === null)
return value;

value = isoParse(value);

Expand Down
4 changes: 3 additions & 1 deletion src/number.ts
Original file line number Diff line number Diff line change
Expand Up @@ -54,7 +54,9 @@ export default class NumberSchema<
parsed = +parsed;
}

if (ctx.isType(parsed)) return parsed;
// null -> NaN isn't useful; treat all nulls as null and let it fail on
// nullability check vs TypeErrors
if (ctx.isType(parsed) || parsed === null) return parsed;

return parseFloat(parsed);
});
Expand Down
20 changes: 15 additions & 5 deletions src/object.ts
Original file line number Diff line number Diff line change
Expand Up @@ -320,11 +320,9 @@ export default class ObjectSchema<
);
}

protected _getDefault(
options?: ResolveOptions<TContext>,
) {
protected _getDefault(options?: ResolveOptions<TContext>) {
if ('default' in this.spec) {
return super._getDefault();
return super._getDefault(options);
}

// if there is no default set invent one
Expand All @@ -335,8 +333,20 @@ export default class ObjectSchema<
let dft: any = {};
this._nodes.forEach((key) => {
const field = this.fields[key] as any;

let innerOptions = options;
if (innerOptions?.value) {
innerOptions = {
...innerOptions,
parent: innerOptions.value,
value: innerOptions.value[key],
};
}

dft[key] =
field && 'getDefault' in field ? field.getDefault(options) : undefined;
field && 'getDefault' in field
? field.getDefault(innerOptions)
: undefined;
});

return dft;
Expand Down
7 changes: 3 additions & 4 deletions src/schema.ts
Original file line number Diff line number Diff line change
Expand Up @@ -607,9 +607,7 @@ export default abstract class Schema<
}
}

protected _getDefault(
_options?: ResolveOptions<TContext>,
) {
protected _getDefault(_options?: ResolveOptions<TContext>) {
let defaultValue = this.spec.default;

if (defaultValue == null) {
Expand Down Expand Up @@ -801,8 +799,9 @@ export default abstract class Schema<
next.internalTests.typeError = createValidation({
message,
name: 'typeError',
skipAbsent: true,
test(value) {
if (!isAbsent(value) && !this.schema._typeCheck(value))
if (!this.schema._typeCheck(value))
return this.createError({
params: {
type: this.schema.type,
Expand Down
36 changes: 29 additions & 7 deletions test/date.ts
Original file line number Diff line number Diff line change
@@ -1,7 +1,8 @@
import { ref, date } from '../src';
import * as TestHelpers from './helpers';

function isValidDate(date: any): date is Date {
return date instanceof Date && !isNaN(date.getTime());
function isInvalidDate(date: any): date is Date {
return date instanceof Date && isNaN(date.getTime());
}

describe('Date types', () => {
Expand All @@ -19,13 +20,18 @@ describe('Date types', () => {
expect(inst.cast('2016-08-10T11:32:19.2125Z')).toEqual(
new Date(1470828739212),
);

expect(inst.cast(null, { assert: false })).toEqual(null);
});

it('should return invalid date for failed casts', function () {
it('should return invalid date for failed non-null casts', function () {
let inst = date();

expect(isValidDate(inst.cast(null, { assert: false }))).toBe(false);
expect(isValidDate(inst.cast('', { assert: false }))).toBe(false);
expect(inst.cast(null, { assert: false })).toEqual(null);
expect(inst.cast(undefined, { assert: false })).toEqual(undefined);

expect(isInvalidDate(inst.cast('', { assert: false }))).toBe(true);
expect(isInvalidDate(inst.cast({}, { assert: false }))).toBe(true);
});

it('should type check', () => {
Expand All @@ -39,7 +45,7 @@ describe('Date types', () => {
});

it('should VALIDATE correctly', () => {
let inst = date().required().max(new Date(2014, 5, 15));
let inst = date().max(new Date(2014, 5, 15));

return Promise.all([
expect(date().isValid(null)).resolves.toBe(false),
Expand All @@ -49,11 +55,27 @@ describe('Date types', () => {
expect(inst.isValid(new Date(2014, 7, 15))).resolves.toBe(false),
expect(inst.isValid('5')).resolves.toBe(true),

expect(inst.validate(undefined)).rejects.toEqual(
expect(inst.required().validate(undefined)).rejects.toEqual(
expect.objectContaining({
errors: ['this is a required field'],
}),
),

expect(inst.required().validate(undefined)).rejects.toEqual(
TestHelpers.validationErrorWithMessages(
expect.stringContaining('required'),
),
),
expect(inst.validate(null)).rejects.toEqual(
TestHelpers.validationErrorWithMessages(
expect.stringContaining('cannot be null'),
),
),
expect(inst.validate({})).rejects.toEqual(
TestHelpers.validationErrorWithMessages(
expect.stringContaining('must be a `date` type'),
),
),
]);
});

Expand Down
17 changes: 14 additions & 3 deletions test/number.ts
Original file line number Diff line number Diff line change
Expand Up @@ -46,7 +46,8 @@ describe('Number types', function () {
it('should return NaN for failed casts', () => {
expect(number().cast('asfasf', { assert: false })).toEqual(NaN);

expect(number().cast(null, { assert: false })).toEqual(NaN);
expect(number().cast(new Date(), { assert: false })).toEqual(NaN);
expect(number().cast(null, { assert: false })).toEqual(null);
});
});

Expand All @@ -70,7 +71,7 @@ describe('Number types', function () {
});

it('should VALIDATE correctly', function () {
let inst = number().required().min(4);
let inst = number().min(4);

return Promise.all([
expect(number().isValid(null)).resolves.toBe(false),
Expand All @@ -83,11 +84,21 @@ describe('Number types', function () {
expect(inst.isValid(5)).resolves.toBe(true),
expect(inst.isValid(2)).resolves.toBe(false),

expect(inst.validate(undefined)).rejects.toEqual(
expect(inst.required().validate(undefined)).rejects.toEqual(
TestHelpers.validationErrorWithMessages(
expect.stringContaining('required'),
),
),
expect(inst.validate(null)).rejects.toEqual(
TestHelpers.validationErrorWithMessages(
expect.stringContaining('cannot be null'),
),
),
expect(inst.validate({})).rejects.toEqual(
TestHelpers.validationErrorWithMessages(
expect.stringContaining('must be a `number` type'),
),
),
]);
});

Expand Down
31 changes: 15 additions & 16 deletions test/object.ts
Original file line number Diff line number Diff line change
Expand Up @@ -336,7 +336,7 @@ describe('Object types', () => {
});
});

it('should pass options to children', () => {
it('should propagate context', () => {
const objectWithConditions = object({
child: string().when('$variable', {
is: 'foo',
Expand All @@ -346,19 +346,16 @@ describe('Object types', () => {
});

expect(
objectWithConditions.getDefault({ context: { variable: 'foo' } }))
.toEqual({ child: 'is foo' },
);
objectWithConditions.getDefault({ context: { variable: 'foo' } }),
).toEqual({ child: 'is foo' });

expect(
objectWithConditions.getDefault({ context: { variable: 'somethingElse' } }))
.toEqual({ child: 'not foo' },
);
objectWithConditions.getDefault({
context: { variable: 'somethingElse' },
}),
).toEqual({ child: 'not foo' });

expect(
objectWithConditions.getDefault())
.toEqual({ child: 'not foo' },
);
expect(objectWithConditions.getDefault()).toEqual({ child: 'not foo' });
});

it('should respect options when casting to default', () => {
Expand All @@ -371,16 +368,18 @@ describe('Object types', () => {
});

expect(
objectWithConditions.cast(undefined, { context: { variable: 'foo' } })
objectWithConditions.cast(undefined, { context: { variable: 'foo' } }),
).toEqual({ child: 'is foo' });

expect(
objectWithConditions.cast(undefined, { context: { variable: 'somethingElse' } })
objectWithConditions.cast(undefined, {
context: { variable: 'somethingElse' },
}),
).toEqual({ child: 'not foo' });

expect(
objectWithConditions.cast(undefined)
).toEqual({ child: 'not foo' });
expect(objectWithConditions.cast(undefined)).toEqual({
child: 'not foo',
});
});
});

Expand Down