@gitlab/ui 62.5.1 → 62.6.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,424 @@
1
+ import cloneDeep from 'lodash/cloneDeep';
2
+ import mapValues from 'lodash/mapValues';
3
+ import { nextTick } from 'vue';
4
+ import { shallowMount } from '@vue/test-utils';
5
+ import GlFormGroup from '../form_group/form_group.vue';
6
+ import GlInput from '../form_input/form_input.vue';
7
+ import GlFormFields from './form_fields.vue';
8
+ import GlFormFieldValidator from './form_field_validator.vue';
9
+ import * as formMappers from './mappers';
10
+ import * as formValidators from './validators';
11
+
12
+ jest.mock('lodash/uniqueId', () => (val) => `${val}testunique`);
13
+
14
+ const TEST_FIELDS = {
15
+ username: {
16
+ label: 'User name',
17
+ validators: [formValidators.required('User name is required')],
18
+ },
19
+ evenCount: {
20
+ label: 'Count',
21
+ mapValue: formMappers.mapToNumber,
22
+ validators: [
23
+ formValidators.factory('Count is required', Boolean),
24
+ (val) => (val % 2 === 1 ? 'Count must be even' : ''),
25
+ ],
26
+ inputAttrs: { size: 'xs', type: 'number' },
27
+ },
28
+ allCaps: {
29
+ label: 'All caps (optional)',
30
+ mapValue: (x) => x?.toUpperCase(),
31
+ },
32
+ };
33
+ const TEST_VALUES = {
34
+ username: 'root',
35
+ evenCount: 8,
36
+ allCaps: '',
37
+ };
38
+
39
+ const TEST_FORM_ID = 'test-form-id';
40
+
41
+ describe('GlFormFields', () => {
42
+ let wrapper;
43
+
44
+ // region: factory --------------------------------------------------
45
+ const createComponent = (props = {}, options = {}) => {
46
+ // why: Clone the constant so Vue doesn't turn it reactive
47
+ const fields = cloneDeep(TEST_FIELDS);
48
+
49
+ wrapper = shallowMount(GlFormFields, {
50
+ propsData: {
51
+ fields,
52
+ values: {},
53
+ formId: TEST_FORM_ID,
54
+ ...props,
55
+ },
56
+ stubs: {
57
+ GlFormFieldValidator,
58
+ },
59
+ ...options,
60
+ });
61
+ };
62
+
63
+ // region: finders --------------------------------------------------
64
+ const mapFormGroupToData = (formGroup) => {
65
+ const input = formGroup.findComponent(GlInput);
66
+
67
+ return {
68
+ label: formGroup.attributes('label'),
69
+ state: formGroup.attributes('state'),
70
+ invalidFeedback: formGroup.attributes('invalid-feedback'),
71
+ input: {
72
+ // Ensure that "value" is present even if undefined
73
+ value: input.attributes('value'),
74
+ ...input.attributes(),
75
+ },
76
+ };
77
+ };
78
+ const findFormGroups = () => wrapper.findAllComponents(GlFormGroup).wrappers;
79
+ const findFormGroupsAsData = () => findFormGroups().map(mapFormGroupToData);
80
+ const findFormGroupFromLabel = (label) =>
81
+ wrapper.findAllComponents(GlFormGroup).wrappers.find((x) => x.attributes('label') === label);
82
+ const findInputFromLabel = (label) => findFormGroupFromLabel(label).findComponent(GlInput);
83
+ const findCustomInputFromLabel = (label) =>
84
+ findFormGroupFromLabel(label).find('[data-testid="test-custom-input"]');
85
+
86
+ // region: actions ---------------------------------------------------
87
+ const submitForm = async () => {
88
+ const form = document.getElementById(TEST_FORM_ID);
89
+
90
+ form.requestSubmit();
91
+
92
+ // Submit form waits for a tick
93
+ await nextTick();
94
+ };
95
+
96
+ // region: setup -----------------------------------------------------
97
+ beforeEach(() => {
98
+ document.body.innerHTML = `<form id="${TEST_FORM_ID}"></form>`;
99
+ });
100
+
101
+ // region: tests -----------------------------------------------------
102
+ describe('default', () => {
103
+ beforeEach(() => {
104
+ createComponent();
105
+ });
106
+
107
+ it('renders form groups for each field', () => {
108
+ expect(findFormGroupsAsData()).toStrictEqual([
109
+ {
110
+ label: TEST_FIELDS.username.label,
111
+ state: undefined,
112
+ invalidFeedback: '',
113
+ input: {
114
+ id: 'gl-form-field-testunique',
115
+ value: undefined,
116
+ },
117
+ },
118
+ {
119
+ label: TEST_FIELDS.evenCount.label,
120
+ state: undefined,
121
+ invalidFeedback: '',
122
+ input: {
123
+ id: 'gl-form-field-testunique',
124
+ value: '0',
125
+ ...TEST_FIELDS.evenCount.inputAttrs,
126
+ },
127
+ },
128
+ {
129
+ label: TEST_FIELDS.allCaps.label,
130
+ state: undefined,
131
+ invalidFeedback: '',
132
+ input: {
133
+ id: 'gl-form-field-testunique',
134
+ value: undefined,
135
+ },
136
+ },
137
+ ]);
138
+ });
139
+
140
+ it('emits initial values on mount', () => {
141
+ expect(wrapper.emitted('input')).toEqual([
142
+ [
143
+ {
144
+ username: undefined,
145
+ evenCount: 0,
146
+ allCaps: undefined,
147
+ },
148
+ ],
149
+ ]);
150
+ });
151
+
152
+ it('does not emit input-field', () => {
153
+ expect(wrapper.emitted('input-field')).toBeUndefined();
154
+ });
155
+
156
+ it('does not emit submit', () => {
157
+ expect(wrapper.emitted('submit')).toBeUndefined();
158
+ });
159
+
160
+ it('on field blur, it updates validation for field', async () => {
161
+ const input = findInputFromLabel(TEST_FIELDS.username.label);
162
+ input.vm.$emit('blur');
163
+
164
+ await nextTick();
165
+
166
+ expect(findFormGroupsAsData()).toMatchObject([
167
+ {
168
+ label: TEST_FIELDS.username.label,
169
+ invalidFeedback: 'User name is required',
170
+ },
171
+ // why: Include others fields to assert that the validation is not run for them
172
+ {
173
+ label: TEST_FIELDS.evenCount.label,
174
+ invalidFeedback: '',
175
+ },
176
+ {
177
+ label: TEST_FIELDS.allCaps.label,
178
+ invalidFeedback: '',
179
+ },
180
+ ]);
181
+ });
182
+
183
+ describe('on field input', () => {
184
+ beforeEach(() => {
185
+ const input = findInputFromLabel(TEST_FIELDS.username.label);
186
+ input.vm.$emit('input', 'New value');
187
+ });
188
+
189
+ it('emits input event', () => {
190
+ expect(wrapper.emitted('input')).toEqual([
191
+ // Initial value we already test here
192
+ expect.anything(),
193
+ // New emitted event
194
+ [
195
+ {
196
+ username: 'New value',
197
+ },
198
+ ],
199
+ ]);
200
+ });
201
+
202
+ it('emits input-field event', () => {
203
+ expect(wrapper.emitted('input-field')).toEqual([
204
+ [
205
+ {
206
+ name: 'username',
207
+ value: 'New value',
208
+ },
209
+ ],
210
+ ]);
211
+ });
212
+ });
213
+
214
+ describe('when form submits', () => {
215
+ beforeEach(async () => {
216
+ await submitForm();
217
+ });
218
+
219
+ it('runs validations', () => {
220
+ expect(findFormGroupsAsData()).toEqual([
221
+ {
222
+ label: TEST_FIELDS.username.label,
223
+ invalidFeedback: 'User name is required',
224
+ state: undefined,
225
+ input: {
226
+ value: undefined,
227
+ id: 'gl-form-field-testunique',
228
+ },
229
+ },
230
+ {
231
+ label: TEST_FIELDS.evenCount.label,
232
+ invalidFeedback: 'Count is required',
233
+ state: undefined,
234
+ input: expect.objectContaining({
235
+ value: '0',
236
+ id: 'gl-form-field-testunique',
237
+ }),
238
+ },
239
+ {
240
+ label: TEST_FIELDS.allCaps.label,
241
+ invalidFeedback: '',
242
+ state: undefined,
243
+ input: {
244
+ value: undefined,
245
+ id: 'gl-form-field-testunique',
246
+ },
247
+ },
248
+ ]);
249
+ });
250
+
251
+ it('does not emit submit', () => {
252
+ expect(wrapper.emitted('submit')).toBeUndefined();
253
+ });
254
+ });
255
+ });
256
+
257
+ // why: Let's test that multiple validators work as expected
258
+ describe('with non-empty but invalid "count"', () => {
259
+ beforeEach(() => {
260
+ createComponent({
261
+ values: {
262
+ evenCount: 7,
263
+ },
264
+ });
265
+ });
266
+
267
+ it('on blur, it runs remaining validators for "count" field', async () => {
268
+ const input = findInputFromLabel(TEST_FIELDS.evenCount.label);
269
+ input.vm.$emit('blur');
270
+
271
+ await nextTick();
272
+
273
+ expect(findFormGroupsAsData().find((x) => x.label === TEST_FIELDS.evenCount.label)).toEqual({
274
+ label: TEST_FIELDS.evenCount.label,
275
+ invalidFeedback: 'Count must be even',
276
+ state: undefined,
277
+ input: {
278
+ ...TEST_FIELDS.evenCount.inputAttrs,
279
+ id: 'gl-form-field-testunique',
280
+ value: '7',
281
+ },
282
+ });
283
+ });
284
+ });
285
+
286
+ describe('with valid values', () => {
287
+ beforeEach(() => {
288
+ const values = cloneDeep(TEST_VALUES);
289
+
290
+ createComponent({
291
+ values,
292
+ });
293
+ });
294
+
295
+ it('when form submits, emits submit', async () => {
296
+ await submitForm();
297
+
298
+ expect(wrapper.emitted('submit')).toEqual([[expect.any(Event)]]);
299
+ });
300
+
301
+ describe.each`
302
+ fieldName | inputValue | expectedValue
303
+ ${'allCaps'} | ${'foo bar'} | ${'FOO BAR'}
304
+ ${'evenCount'} | ${'123'} | ${123}
305
+ `(
306
+ 'when input ("$fieldName") with mapValue changes',
307
+ ({ fieldName, inputValue, expectedValue }) => {
308
+ beforeEach(() => {
309
+ const input = findInputFromLabel(TEST_FIELDS[fieldName].label);
310
+ input.vm.$emit('input', inputValue);
311
+ });
312
+
313
+ it('emits input with mapped value', () => {
314
+ expect(wrapper.emitted('input')).toEqual([
315
+ // Ignore initial inputted value (already tested)
316
+ expect.anything(),
317
+ [
318
+ {
319
+ ...TEST_VALUES,
320
+ [fieldName]: expectedValue,
321
+ },
322
+ ],
323
+ ]);
324
+ });
325
+
326
+ it('emits input-field with mapped value', () => {
327
+ expect(wrapper.emitted('input-field')).toEqual([
328
+ [
329
+ {
330
+ name: fieldName,
331
+ value: expectedValue,
332
+ },
333
+ ],
334
+ ]);
335
+ });
336
+ }
337
+ );
338
+ });
339
+
340
+ describe('with scoped slot', () => {
341
+ beforeEach(() => {
342
+ createComponent(
343
+ {
344
+ values: {
345
+ evenCount: 5,
346
+ },
347
+ },
348
+ {
349
+ scopedSlots: {
350
+ 'input(evenCount)':
351
+ '<button data-testid="test-custom-input" @click="props.input(props.value + 1)" @blur="props.blur">{{ props.value }}</button>',
352
+ },
353
+ }
354
+ );
355
+ });
356
+
357
+ it('renders scoped slot for field input', () => {
358
+ expect(findInputFromLabel(TEST_FIELDS.evenCount.label).exists()).toBe(false);
359
+ expect(findCustomInputFromLabel(TEST_FIELDS.evenCount.label).exists()).toBe(true);
360
+ });
361
+
362
+ it('passes down "blur" callback', async () => {
363
+ // what: We'll test this by emitting the "blur" we attached in the scopedSlot
364
+ // and asserting that validation was ran.
365
+ expect(
366
+ findFormGroupFromLabel(TEST_FIELDS.evenCount.label).attributes('invalid-feedback')
367
+ ).toBe('');
368
+
369
+ findCustomInputFromLabel(TEST_FIELDS.evenCount.label).trigger('blur');
370
+ await nextTick();
371
+
372
+ expect(
373
+ findFormGroupFromLabel(TEST_FIELDS.evenCount.label).attributes('invalid-feedback')
374
+ ).toBe('Count must be even');
375
+ });
376
+
377
+ it('passes down "input" callback', () => {
378
+ // what: We'll test this by checking that the input-field event
379
+ // is emitted when triggered by our scoped slot.
380
+ expect(wrapper.emitted('input-field')).toBeUndefined();
381
+
382
+ findCustomInputFromLabel(TEST_FIELDS.evenCount.label).trigger('click');
383
+
384
+ expect(wrapper.emitted('input-field')).toEqual([[{ name: 'evenCount', value: 6 }]]);
385
+ });
386
+
387
+ it('passes down "value"', () => {
388
+ expect(findCustomInputFromLabel(TEST_FIELDS.evenCount.label).text()).toEqual('5');
389
+ });
390
+ });
391
+
392
+ // why: We have to do some manual reactivity to optimize how often we call
393
+ // field validators. Let's test that here.
394
+ describe('validation performance', () => {
395
+ let validationSpy;
396
+
397
+ beforeEach(async () => {
398
+ validationSpy = jest.fn().mockReturnValue('Not valid!');
399
+
400
+ createComponent({
401
+ fields: mapValues(TEST_FIELDS, (field) => ({
402
+ ...field,
403
+ validators: [validationSpy],
404
+ })),
405
+ });
406
+
407
+ // Trigger validation on all fields so that the fields are "dirty"
408
+ await submitForm();
409
+
410
+ // Clear validationSpy so we can assert on *new* validation calls
411
+ validationSpy.mockClear();
412
+ });
413
+
414
+ it('when input changes, only triggers validation for changed value', async () => {
415
+ expect(validationSpy).not.toHaveBeenCalled();
416
+
417
+ wrapper.setProps({ values: { username: 'root' } });
418
+ await nextTick();
419
+
420
+ expect(validationSpy).toHaveBeenCalledTimes(1);
421
+ expect(validationSpy).toHaveBeenCalledWith('root');
422
+ });
423
+ });
424
+ });
@@ -0,0 +1,102 @@
1
+ import uniqueId from 'lodash/uniqueId';
2
+ import omit from 'lodash/omit';
3
+ import GlModal from '../../modal/modal.vue';
4
+ import GlButton from '../../button/button.vue';
5
+ import GlListbox from '../../new_dropdowns/listbox/listbox.vue';
6
+ import GlFormFields from './form_fields.vue';
7
+ import readme from './form_fields.md';
8
+ import { required } from './validators';
9
+ import { mapToNumber } from './mappers';
10
+
11
+ const Template = () => ({
12
+ ITEMS: ['Pizza', 'Keyboards', 'Guitars', 'Rocket ships'].map((text) => ({ text, value: text })),
13
+ components: { GlFormFields, GlButton, GlModal, GlListbox },
14
+ data() {
15
+ return {
16
+ // why: We declare fields here so that we can test what binding the
17
+ // "confirmPassword" validator to "this.formValues" would act
18
+ // like. In most cases, these can be constant and injected through
19
+ // `$options`.
20
+ fields: {
21
+ USERNAME: {
22
+ label: 'NAME (ALL CAPS)',
23
+ mapValue: (x) => x?.toUpperCase(),
24
+ validators: [required('NAME IS REQUIRED!!!')],
25
+ },
26
+ password: {
27
+ label: 'Password',
28
+ inputAttrs: { type: 'password' },
29
+ validators: [required('Password is required')],
30
+ },
31
+ confirmPassword: {
32
+ label: 'Confirm Password',
33
+ inputAttrs: { type: 'password' },
34
+ validators: [
35
+ required('Confirmed password is required'),
36
+ (confirmValue) =>
37
+ confirmValue !== this.formValues.password ? 'Must match password' : '',
38
+ ],
39
+ },
40
+ custom: {
41
+ label: 'Custom input',
42
+ mapValue: mapToNumber,
43
+ validators: [(val) => (val < 1 ? 'Please click this at least once :)' : '')],
44
+ },
45
+ favoriteItem: {
46
+ label: 'Favorite Item (Optional)',
47
+ },
48
+ },
49
+ formValues: {},
50
+ testFormId: uniqueId('form_fields_story_'),
51
+ };
52
+ },
53
+ computed: {
54
+ values() {
55
+ return omit(this.formValues, ['confirmPassword']);
56
+ },
57
+ valuesJSON() {
58
+ // JSON doesn't allow undefined values
59
+ return JSON.stringify(this.values, (key, value) => (value === undefined ? null : value), 2);
60
+ },
61
+ },
62
+ methods: {
63
+ onSubmit() {
64
+ this.$refs.modal.show();
65
+ },
66
+ },
67
+ template: `
68
+ <div>
69
+ <h3>Fields</h3>
70
+ <form :id="testFormId" @submit.prevent>
71
+ <gl-form-fields :fields="fields" v-model="formValues" :form-id="testFormId" @submit="onSubmit">
72
+ <template #input(custom)="{ id, value, input, blur }">
73
+ <button :id="id" @click="input(value + 1)" @blur="blur" type="button">{{value}}</button>
74
+ </template>
75
+ <template #input(favoriteItem)="{ id, value, input, blur }">
76
+ <gl-listbox :id="id" :items="$options.ITEMS" :selected="value" @select="input" @hidden="blur" />
77
+ </template>
78
+ </gl-form-fields>
79
+ <gl-button type="submit" category="primary">Submit</gl-button>
80
+ </form>
81
+ <gl-modal ref="modal" modal-id="submission-modal" title="Form submission"><pre>{{ valuesJSON }}</pre></gl-modal>
82
+ </div>
83
+ `,
84
+ });
85
+
86
+ export const Default = Template.bind({});
87
+
88
+ export default {
89
+ title: 'base/form/form-fields',
90
+ component: GlFormFields,
91
+ parameters: {
92
+ knobs: {
93
+ disable: true,
94
+ },
95
+ docs: {
96
+ description: {
97
+ component: readme,
98
+ },
99
+ },
100
+ },
101
+ argTypes: {},
102
+ };