vault/ui/tests/integration/components/form-field-test.js
Dylan Hyun 046c33bc72
[VAULT-34734] UI: Move the text input block in FormField under the HDS block (#30859)
* [UI] Updated `FormField` to use `Hds::Form::TextInput` for `type=string` and `type=number`  (#34733)

* [UI] Updated `FormField` tests for `type=string` and `type=number` (#34733)

* [UI] Fixed failing test cases from `FormField` `type=string` and `type=number` updates (#34733)

* [UI] Removed checks for this.hideLabel and this.labelString (#34733)

* [UI] Standardize test cases for `FormField` `editType=undefined` (#34733)

* [UI] Update `editType=undefined` tests to use `assert.true` (#34733)

* [UI] Update logic of isHdsFormField to align to previous template (#34733)

* Update ui/tests/integration/components/form-field-test.js

Co-authored-by: Cristiano Rastelli <public@didoo.net>

* [UI] Added `CharacterCount` to `FormField` text input (#34733)

---------

Co-authored-by: Cristiano Rastelli <public@didoo.net>
2025-07-11 14:59:45 -04:00

1315 lines
56 KiB
JavaScript
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

/**
* Copyright (c) HashiCorp, Inc.
* SPDX-License-Identifier: BUSL-1.1
*/
import EmberObject from '@ember/object';
import { module, test } from 'qunit';
import { setupRenderingTest } from 'ember-qunit';
import { render, click, fillIn, findAll, setupOnerror } from '@ember/test-helpers';
import hbs from 'htmlbars-inline-precompile';
import { create } from 'ember-cli-page-object';
import sinon from 'sinon';
import formFields from '../../pages/components/form-field';
import { format, startOfDay } from 'date-fns';
import { GENERAL } from 'vault/tests/helpers/general-selectors';
const component = create(formFields);
module('Integration | Component | form field', function (hooks) {
setupRenderingTest(hooks);
const createAttr = (name, type, options) => {
return {
name,
type,
options,
};
};
const setup = async function (attr) {
// ember sets model attrs from the defaultValue key, mimicking that behavior here
const model = EmberObject.create({ [attr.name]: attr.options?.defaultValue });
const spy = sinon.spy();
this.set('onChange', spy);
this.set('model', model);
this.set('attr', attr);
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} @onChange={{this.onChange}} />`);
return [model, spy];
};
test('it renders', async function (assert) {
const model = EmberObject.create({});
this.attr = { name: 'foo' };
this.model = model;
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} />`);
assert.strictEqual(component.fields.objectAt(0).labelValue, 'Foo', 'renders a label');
assert.notOk(component.hasInput, 'renders only the label');
});
test('it throws an error when @attr does not include a "name" key', async function (assert) {
assert.expect(1);
this.model = EmberObject.create({});
this.attr = { options: { fieldValue: 'foo' } };
setupOnerror((error) => {
assert.strictEqual(
error.message,
'Assertion Failed: @name is required',
'throws assertion error when @attr does not include a "name" key'
);
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} />`);
});
test('it throws an error when @model is not present', async function (assert) {
assert.expect(1);
this.attr = { name: 'foo' };
setupOnerror((error) => {
assert.strictEqual(
error.message,
'Assertion Failed: @model (or resource object being updated) is required',
'throws assertion error when @model arg does not exist'
);
});
await render(hbs`<FormField @attr={{this.attr}} />`);
});
test('it throws an error when "name" is "ID"', async function (assert) {
assert.expect(1);
this.model = EmberObject.create({});
this.attr = { name: 'id' };
setupOnerror((error) => {
assert.strictEqual(
error.message,
'Assertion Failed: Form is attempting to modify an ID. Ember-data does not allow this.',
'throws assertion error when component attempts to modify an ID'
);
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} />`);
});
test('it throws an error when "fieldValue" is "ID"', async function (assert) {
assert.expect(1);
this.model = EmberObject.create({});
this.attr = { name: 'foo', options: { fieldValue: 'id' } };
setupOnerror((error) => {
assert.strictEqual(
error.message,
'Assertion Failed: Form is attempting to modify an ID. Ember-data does not allow this.',
'throws assertion error when component attempts to modify an ID'
);
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} />`);
});
// ------------------
// LEGACY FORM FIELDS
// ------------------
test('it renders: object', async function (assert) {
await setup.call(this, createAttr('foo', 'object'));
assert.dom('[data-test-component="json-editor-title"]').hasText('Foo', 'renders a label');
assert.ok(component.hasJSONEditor, 'renders the json editor');
});
test('it renders: string as json with clear button', async function (assert) {
await setup.call(this, createAttr('foo', 'string', { editType: 'json', allowReset: true }));
assert.dom('[data-test-component="json-editor-title"]').hasText('Foo', 'renders a label');
assert.ok(component.hasJSONEditor, 'renders the json editor');
assert.ok(component.hasJSONClearButton, 'renders button that will clear the JSON value');
});
test('it renders: toggleButton', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('foobar', 'boolean', {
defaultValue: false,
editType: 'toggleButton',
helperTextEnabled: 'Toggled on',
helperTextDisabled: 'Toggled off',
})
);
assert.dom(GENERAL.toggleInput('toggle-foobar')).exists('Toggle button exists');
assert.dom(GENERAL.toggleInput('toggle-foobar')).isNotChecked();
assert.dom('[data-test-toggle-subtext]').hasText('Toggled off');
await click(GENERAL.toggleInput('toggle-foobar'));
assert.true(model.get('foobar'));
assert.ok(spy.calledWith('foobar', true), 'onChange called with correct args');
});
test('it sets nested attribute value for toggleButton', async function (assert) {
this.setProperties({
attr: createAttr('config.foo', 'boolean', {
editType: 'toggleButton',
defaultValue: false,
}),
model: { config: { foo: true } },
onChange: () => {},
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} @onChange={{this.onChange}} />`);
assert.dom(GENERAL.toggleInput('toggle-config.foo')).isChecked();
});
test('it sets nested attribute value for optionalText', async function (assert) {
this.setProperties({
attr: createAttr('foo.bar', 'string', {
editType: 'optionalText',
defaultValue: 'lemon',
}),
model: { foo: { bar: 'apple' } },
onChange: () => {},
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} @onChange={{this.onChange}} />`);
assert.dom(GENERAL.toggleInput('show-foo.bar')).isChecked();
assert.dom(GENERAL.inputByAttr('foo.bar')).hasValue('apple');
});
test('it renders: editType file', async function (assert) {
const subText = 'My subtext.';
await setup.call(this, createAttr('foo', 'string', { editType: 'file', subText, docLink: '/docs' }));
assert.ok(component.hasTextFile, 'renders the text-file component');
assert
.dom('.hds-form-helper-text')
.hasText(
`Select a file from your computer. ${subText} See our documentation for help.`,
'renders subtext'
);
assert.dom('.hds-form-helper-text a').exists('renders doc link');
await click(GENERAL.textToggle);
// assert again after toggling because subtext is rendered differently for each input
assert
.dom('.hds-form-helper-text')
.hasText(`Enter the value as text. ${subText} See our documentation for help.`, 'renders subtext');
assert.dom('.hds-form-helper-text a').exists('renders doc link');
await fillIn(GENERAL.maskedInput, 'hello world');
});
test('it renders: editType ttl', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('foo', null, {
editType: 'ttl',
helperTextDisabled: 'TTL is disabled',
helperTextEnabled: 'TTL is enabled',
})
);
assert.dom(GENERAL.toggleInput('Foo')).exists('renders the ttl-picker component');
assert.dom('[data-test-ttl-form-subtext]').hasText('TTL is disabled');
assert.dom('[data-test-ttl-toggle]').isNotChecked();
await click(GENERAL.toggleInput('Foo'));
await component.fields.objectAt(0).select('h').change();
await component.fields.objectAt(0).ttlTime('3');
const expectedSeconds = `${3 * 3600}s`;
assert.strictEqual(model.get('foo'), expectedSeconds);
assert.ok(spy.calledWith('foo', expectedSeconds), 'onChange called with correct args');
await click(GENERAL.toggleInput('Foo'));
assert.ok(spy.calledWith('foo', '0'), 'onChange called with 0 when toggle off');
});
test('it renders: editType ttl with special settings', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('foo', null, {
editType: 'ttl',
setDefault: '3600s',
ttlOffValue: '',
})
);
assert.dom(GENERAL.toggleInput('Foo')).exists('renders the ttl-picker component');
assert.dom('[data-test-ttl-toggle]').isChecked();
await click(GENERAL.toggleInput('Foo'));
assert.strictEqual(model.get('foo'), '');
assert.ok(spy.calledWith('foo', ''), 'onChange called with correct args');
});
test('it renders: editType ttl without toggle', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('foo', null, { editType: 'ttl', hideToggle: true })
);
await component.fields.objectAt(0).select('h').change();
await component.fields.objectAt(0).ttlTime('3');
const expectedSeconds = `${3 * 3600}s`;
assert.strictEqual(model.get('foo'), expectedSeconds);
assert.ok(spy.calledWith('foo', expectedSeconds), 'onChange called with correct args');
});
test('it renders: editType stringArray', async function (assert) {
const [model, spy] = await setup.call(this, createAttr('foo', 'string', { editType: 'stringArray' }));
assert.ok(component.hasStringList, 'renders the string-list component');
await component.fields.objectAt(0).textarea('array').change();
assert.deepEqual(model.get('foo'), ['array'], 'sets the value on the model');
assert.deepEqual(spy.args[0], ['foo', ['array']], 'onChange called with correct args');
});
test('it renders: sensitive', async function (assert) {
const [model, spy] = await setup.call(this, createAttr('password', 'string', { sensitive: true }));
assert.ok(component.hasMaskedInput, 'renders the masked-input component');
await component.fields.objectAt(0).textarea('secret');
assert.strictEqual(model.get('password'), 'secret');
assert.ok(spy.calledWith('password', 'secret'), 'onChange called with correct args');
});
// --- common elements (legacy) ---
test('it uses a passed label', async function (assert) {
await setup.call(this, createAttr('foo', 'string', { label: 'Not Foo' }));
assert.strictEqual(component.fields.objectAt(0).labelValue, 'Not Foo', 'renders the label from options');
});
test('it renders a help tooltip', async function (assert) {
await setup.call(
this,
createAttr('foo', 'string', { editType: 'stringArray', helpText: 'Here is some help text' })
);
await component.tooltipTrigger();
assert.ok(component.hasTooltip, 'renders the tooltip component');
});
test('it should not expand and toggle ttl when default 0s value is present', async function (assert) {
assert.expect(2);
this.setProperties({
model: EmberObject.create({ foo: '0s' }),
attr: createAttr('foo', null, { editType: 'ttl' }),
onChange: () => {},
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} @onChange={{this.onChange}} />`);
assert
.dom(GENERAL.toggleInput('Foo'))
.isNotChecked('Toggle is initially unchecked when given default value');
assert.dom('[data-test-ttl-picker-group="Foo"]').doesNotExist('Ttl input is hidden');
});
test('it should toggle and expand ttl when initial non default value is provided', async function (assert) {
assert.expect(2);
this.setProperties({
model: EmberObject.create({ foo: '1s' }),
attr: createAttr('foo', null, { editType: 'ttl' }),
onChange: () => {},
});
await render(hbs`<FormField @attr={{this.attr}} @model={{this.model}} @onChange={{this.onChange}} />`);
assert.dom(GENERAL.toggleInput('Foo')).isChecked('Toggle is initially checked when given value');
assert.dom('[data-test-ttl-value="Foo"]').hasValue('1', 'Ttl input displays with correct value');
});
test('it should show validation warning', async function (assert) {
const model = this.owner.lookup('service:store').createRecord('auth-method');
model.path = 'foo bar';
this.validations = model.validate().state;
this.setProperties({
model,
attr: createAttr('path', 'string'),
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.validations}} @onChange={{this.onChange}} />`
);
assert.dom(GENERAL.validationWarningByAttr('path')).exists('Validation warning renders');
});
// ---------------
// HDS FORM FIELDS
// ---------------
// Note: some tests may be duplicative of the generic tests above
//
// editType === 'radio' / possibleValues
test('it renders: editType=radio / possibleValues - as Hds::Form::Radio::Group', async function (assert) {
const possibleValues = ['foo', 'bar', 'baz'];
await setup.call(this, createAttr('myfield', '-', { editType: 'radio', possibleValues }));
const labels = findAll(`${GENERAL.inputGroupByAttr('myfield')} label`);
const inputs = findAll(`${GENERAL.inputGroupByAttr('myfield')} input[type="radio"]`);
assert
.dom('.field fieldset[class^="hds-form-group"] input[type="radio"].hds-form-radio')
.exists('renders as Hds::Form::Radio::Group');
assert.strictEqual(inputs.length, 3, 'renders a fieldset element with 3 radio elements');
possibleValues.forEach((possibleValue, index) => {
assert
.dom(labels[index])
.hasAttribute('id', `label-${possibleValue}`, 'label has correct id')
.hasText(possibleValue, 'label has correct text');
assert
.dom(inputs[index])
.hasAttribute('id', possibleValue, 'input[type="radio"] has correct `id` attribute')
.hasAttribute('name', 'myfield', 'input[type="radio"] has correct `name` attribute')
.hasAttribute('value', possibleValue, 'input[type="radio"] has correct `value` attribute')
.hasAttribute(
'data-test-radio',
possibleValue,
'input[type="radio"] has correct `data-test-radio` attribute'
);
});
});
test('it renders: editType=radio / possibleValues - horizontal layout (no `subText/helpText`)', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', { editType: 'radio', possibleValues: ['foo', 'bar', 'baz'] })
);
assert
.dom('.field fieldset[class^="hds-form-group"].hds-form-group--layout-horizontal')
.exists('renders the Hds::Form::Radio::Group with an horizontal layout');
});
test('it renders: editType=radio / possibleValues - vertical layout (with `subText`)', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'radio',
possibleValues: [{ value: 'foo', subText: 'Some subtext' }, { value: 'bar' }, { value: 'baz' }],
})
);
assert
.dom('.field fieldset[class^="hds-form-group"].hds-form-group--layout-vertical')
.exists('renders the Hds::Form::Radio::Group with a vertical layout');
});
test('it renders: editType=radio / possibleValues - vertical layout (with `helpText`)', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'radio',
possibleValues: [{ value: 'foo', helpText: 'Some help text' }, { value: 'bar' }, { value: 'baz' }],
})
);
assert
.dom('.field fieldset[class^="hds-form-group"].hds-form-group--layout-vertical')
.exists('renders the Hds::Form::Radio::Group with a vertical layout');
});
test('it renders: editType=radio / possibleValues - with no selected radio', async function (assert) {
const possibleValues = ['foo', 'bar', 'baz'];
await setup.call(this, createAttr('myfield', '-', { editType: 'radio', possibleValues }));
possibleValues.forEach((possibleValue) => {
assert
.dom(GENERAL.radioByAttr(possibleValue))
.isNotChecked(`input[type="radio"] "${possibleValue}" is not checked`);
});
});
test('it renders: editType=radio / possibleValues - with selected value and changes it', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', '-', {
editType: 'radio',
possibleValues: ['foo', 'bar', 'baz'],
defaultValue: 'baz',
})
);
assert.dom(GENERAL.radioByAttr('baz')).isChecked(`input[type="radio"] "baz" is checked`);
await click(GENERAL.radioByAttr('foo'));
assert.strictEqual(model.get('myfield'), 'foo');
assert.ok(spy.calledWith('myfield', 'foo'), 'onChange called with correct args');
});
test('it renders: editType=radio / possibleValues - disabled inputs', async function (assert) {
const possibleValues = ['foo', 'bar', 'baz'];
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'radio',
editDisabled: true,
possibleValues: ['foo', 'bar', 'baz'],
defaultValue: 'baz',
})
);
const inputs = findAll(`${GENERAL.inputGroupByAttr('myfield')} input[type="radio"]`);
possibleValues.forEach((possibleValue, index) => {
assert.dom(inputs[index]).hasAttribute('disabled', '', 'input[type="radio"] has `disabled` attribute');
});
});
test('it renders: editType=radio / possibleValues - with `true/false` boolean values', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', '-', {
editType: 'radio',
// we need to pass custom ID or the `true` value will not be assigned as `for` argument to the label
// see bug in HDS: https://github.com/hashicorp/design-system/pull/2863
// once the bug is fixed, we can change this to `possibleValues: [true, false],`
possibleValues: [
{ value: true, id: 'true-option' },
{ value: false, id: 'false-option' },
],
defaultValue: true,
})
);
assert.dom(GENERAL.radioByAttr('true-option')).isChecked(`input[type="radio"] "true" is checked`);
await click(GENERAL.radioByAttr('false-option'));
// eslint-disable-next-line qunit/no-assert-equal-boolean
assert.strictEqual(model.get('myfield'), false);
assert.ok(spy.calledWith('myfield', false), 'onChange called with correct args');
});
test('it renders: editType=radio / possibleValues - with passed custom id, label, subtext, help text for options and doc link, help text, subtext for field', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
docLink: '/docs',
editType: 'radio',
helpText: 'Some help text',
label: 'Radio group legend',
possibleValues: [
{ value: 'foo', id: 'custom-id-1' },
{ value: 'bar', label: 'Custom label 2', subText: 'Some subtext 2' },
{ value: 'baz', label: 'Custom label 3', helpText: 'Some help text 3' },
{ value: 'qux', label: 'Custom label 4', subText: 'Some subtext 4', helpText: 'Some help text 2' },
],
subText: 'Some subtext',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Radio group legend', 'it renders attribute label as legend');
assert
.dom(GENERAL.helpTextByAttr('Some subtext'))
.hasText(
'Some subtext See our documentation for help.',
'renders the right subtext string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subtext')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subtext');
assert
.dom(GENERAL.helpTextByAttr('Some help text'))
.hasText('Some help text', 'renders the right help text string from options');
// first item should have custom ID, label `foo`, and no subText/helpText
assert
.dom(GENERAL.radioByAttr('custom-id-1'))
.hasAttribute('id', 'custom-id-1', 'renders the radio input with a custom `id` attribute');
assert.dom(GENERAL.labelByGroupControlIndex(1)).hasText('foo', 'renders default label from `foo` value');
assert
.dom(GENERAL.helpTextByGroupControlIndex(1))
.doesNotExist('does not render subtext/help text for `foo`');
// second item should have custom label and subText but no helpText
assert
.dom(GENERAL.labelByGroupControlIndex(2))
.hasText('Custom label 2', 'renders the custom label for `bar` from options');
assert
.dom(GENERAL.helpTextByGroupControlIndex(2))
.hasText('Some subtext 2', 'renders the right subtext string for `bar` from options');
// third item should have custom label and no subText/helpText (helpText is visible only if no subText is defined for any of the items)
assert
.dom(GENERAL.labelByGroupControlIndex(3))
.hasText('Custom label 3', 'renders the custom label for `baz` from options');
assert
.dom(GENERAL.helpTextByGroupControlIndex(3))
.doesNotExist('does not render the help text for `baz`');
// fourth item should have custom label and subText but no helpText (helpText is visible only if no subText is defined for any of the items)
assert
.dom(GENERAL.labelByGroupControlIndex(4))
.hasText('Custom label 4', 'renders the custom label for `qux` from options');
assert
.dom(GENERAL.helpTextByGroupControlIndex(4))
.exists({ count: 1 }, 'renders only the subtext for `qux` and not the help text')
.hasText('Some subtext 4', 'renders the right subtext string for `qux` from options');
});
// note: this test is not a duplicate of the one above, but is meant to test the condition
// where there is a `helpText` provided for one of the controls, but no `subText` for any of them
// in which case the template logic for the `HelperText` block of the inputs hits the `else` block
test('it renders: editType=radio / possibleValues - with passed helptext and subtext not defined', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'radio',
possibleValues: [{ value: 'foo' }, { value: 'bar', helpText: 'Some helptext 2' }],
})
);
// first item should not have helpText
assert.dom(GENERAL.helpTextByGroupControlIndex(1)).doesNotExist('does not render helptext for `foo`');
// second item should have helpText
assert
.dom(GENERAL.helpTextByGroupControlIndex(2))
.hasText('Some helptext 2', 'renders the right helptext string for `bar` from options');
});
test('it renders: editType=radio / possibleValues - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', '-', { editType: 'radio', possibleValues: ['foo', 'bar', 'baz'] }),
model: { myfield: 'bar' },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// editType === 'checkboxList' / possibleValues
test('it renders: editType=checkboxList / possibleValues - as Hds::Form::Checkbox::Group', async function (assert) {
const possibleValues = ['foo', 'bar', 'baz'];
await setup.call(this, createAttr('myfield', '-', { editType: 'checkboxList', possibleValues }));
const labels = findAll(`${GENERAL.inputGroupByAttr('myfield')} label`);
const inputs = findAll(`${GENERAL.inputGroupByAttr('myfield')} input[type="checkbox"]`);
assert
.dom('.field [class^="hds-form-group"] input[type="checkbox"].hds-form-checkbox')
.exists('renders as Hds::Form::Checkbox::Group');
assert.strictEqual(inputs.length, 3, 'renders a fieldset element with 3 checkbox elements');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input group label');
possibleValues.forEach((possibleValue, index) => {
assert
.dom(labels[index])
.hasAttribute('id', `label-${possibleValue}`, 'label has correct id')
.hasText(possibleValue, 'label has correct text');
assert
.dom(inputs[index])
.hasAttribute('id', possibleValue, 'input[type="checkbox"] has correct `id` attribute')
.hasAttribute('name', 'myfield', 'input[type="checkbox"] has correct `name` attribute')
.hasAttribute('value', possibleValue, 'input[type="checkbox"] has correct `value` attribute')
.hasAttribute(
'data-test-checkbox',
possibleValue,
'input[type="checkbox"] has correct `data-test-checkbox` attribute'
);
});
});
test('it renders: editType=checkboxList / possibleValues - with no selected checkbox', async function (assert) {
const possibleValues = ['foo', 'bar', 'baz'];
await setup.call(this, createAttr('myfield', '-', { editType: 'checkboxList', possibleValues }));
possibleValues.forEach((possibleValue) => {
assert
.dom(GENERAL.checkboxByAttr(possibleValue))
.isNotChecked(`input[type="checkbox"] "${possibleValue}" is not checked`);
});
});
test('it renders: editType=checkboxList / possibleValues - with selected value and changes it', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', '-', {
editType: 'checkboxList',
possibleValues: ['foo', 'bar', 'baz'],
defaultValue: ['baz'],
})
);
assert.dom(GENERAL.checkboxByAttr('baz')).isChecked('input[type="checkbox"] "baz" is checked');
// select the remaining items (they're appended to the model)
await click(GENERAL.checkboxByAttr('foo'));
await click(GENERAL.checkboxByAttr('bar'));
// notice: we can't use `strictEqual` here because they're different objects
assert.deepEqual(model.get('myfield'), ['baz', 'foo', 'bar']);
assert.ok(spy.calledWith('myfield', ['baz', 'foo', 'bar']), 'onChange called with correct args');
});
test('it renders: editType=checkboxList / possibleValues - with passed label, subtext, help text, doclink', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'checkboxList',
possibleValues: ['foo', 'bar', 'baz'],
label: 'Custom label',
subText: 'Some subtext',
helpText: 'Some help text',
docLink: '/docs',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom(GENERAL.helpTextByAttr('Some subtext'))
.exists('renders `subText` option as HelperText')
.hasText(
'Some subtext See our documentation for help.',
'renders the right subtext string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subtext')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subtext');
assert
.dom(GENERAL.helpTextByAttr('Some help text'))
.exists('renders `help text` option as HelperText')
.hasText('Some help text', 'renders the right help text string from options');
});
test('it renders: editType=checkboxList / possibleValues - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', '-', { editType: 'checkboxList', possibleValues: ['foo', 'bar', 'baz'] }),
model: { myfield: 'bar' },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// editType === 'select' / possibleValues
test('it renders: editType=select / possibleValues - as Hds::Form::Select', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'string', { editType: 'select', possibleValues: ['foo', 'bar', 'baz'] })
);
assert
.dom('.field [class^="hds-form-field"] select.hds-form-select')
.exists('renders as Hds::Form::Select');
assert
.dom('select')
.hasAttribute('id', 'myfield', 'select has correct `id` attribute')
.hasAttribute('name', 'myfield', 'select has correct `name` attribute')
.hasAttribute('data-test-input', 'myfield', 'select has correct `data-test-input` attribute');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the select label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('foo', 'has first option value');
await fillIn(GENERAL.inputByAttr('myfield'), 'bar');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('bar', 'has selected option value');
assert.strictEqual(model.get('myfield'), 'bar');
assert.ok(spy.calledWith('myfield', 'bar'), 'onChange called with correct args');
});
test('it renders: editType=select / possibleValues - with no default', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'string', {
editType: 'select',
possibleValues: ['foo', 'bar', 'baz'],
noDefault: true,
})
);
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('', 'has no initial value');
await fillIn(GENERAL.inputByAttr('myfield'), 'foo');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('foo', 'has selected option value');
assert.strictEqual(model.get('myfield'), 'foo');
assert.ok(spy.calledWith('myfield', 'foo'), 'onChange called with correct args');
});
test('it renders: editType=select / possibleValues - with selected value', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'string', {
editType: 'select',
possibleValues: ['foo', 'bar', 'baz'],
defaultValue: 'baz',
})
);
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('baz', 'has initial value selected');
await fillIn(GENERAL.inputByAttr('myfield'), 'foo');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('foo', 'has selected option value');
assert.strictEqual(model.get('myfield'), 'foo');
assert.ok(spy.calledWith('myfield', 'foo'), 'onChange called with correct args');
});
test('it renders: editType=select / possibleValues - with passed label, subtext, help text, doclink', async function (assert) {
await setup.call(
this,
createAttr('myfield', 'string', {
editType: 'select',
possibleValues: ['foo', 'bar', 'baz'],
label: 'Custom label',
subText: 'Some subtext',
helpText: 'Some help text',
docLink: '/docs',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom(GENERAL.helpTextByAttr('Some subtext'))
.exists('renders `subText` option as HelperText')
.hasText(
'Some subtext See our documentation for help.',
'renders the right subtext string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subtext')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subtext');
assert
.dom(GENERAL.helpTextByAttr('Some help text'))
.exists('renders `help text` option as HelperText')
.hasText('Some help text', 'renders the right help text string from options');
});
test('it renders: editType=select / possibleValues - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', 'string', { editType: 'select', possibleValues: ['foo', 'bar', 'baz'] }),
model: { myfield: 'bar' },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// editType === 'datetime-local'
test('it renders: editType=dateTimeLocal - as Hds::Form::TextInput [@type=datetime-local]', async function (assert) {
const dateTimeValue1 = format(startOfDay(new Date('2023-12-17T03:24:00')), "yyyy-MM-dd'T'HH:mm");
const dateTimeValue2 = format(startOfDay(new Date('2025-05-28T16:12:00')), "yyyy-MM-dd'T'HH:mm");
const [model, spy] = await setup.call(
this,
createAttr('myfield', '-', { editType: 'dateTimeLocal', defaultValue: dateTimeValue1 })
);
assert
.dom('.field [class^="hds-form-field"] input[type="datetime-local"].hds-form-text-input')
.exists('renders as Hds::Form::TextInput["type=datetime-local"]');
assert
.dom(`input[type="datetime-local"]`)
.exists('renders input with type=datetime-local')
.hasAttribute(
'data-test-input',
'myfield',
'input[type="datetime-local"] has correct `data-test-input` attribute'
);
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('2023-12-17T00:00', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), dateTimeValue2);
// add a click label to focus out the date we filled in above
await click(GENERAL.fieldLabel());
assert.strictEqual(model.get('myfield'), dateTimeValue2, 'sets the value on the model');
assert.true(spy.calledWith('myfield', dateTimeValue2), 'onChange called with correct args');
});
test('it renders: editType=dateTimeLocal - with passed label, subtext, helptext, doclink', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'dateTimeLocal',
label: 'Custom label',
subText: 'Some subtext',
helpText: 'Some helptext',
docLink: '/docs',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom(GENERAL.helpTextByAttr('Some subtext'))
.exists('renders `subText` option as HelperText')
.hasText(
'Some subtext See our documentation for help.',
'renders the right subtext string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subtext')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subtext');
assert
.dom(GENERAL.helpTextByAttr('Some helptext'))
.exists('renders `helptext` option as HelperText')
.hasText('Some helptext', 'renders the right help text string from options');
});
test('it renders: editType=dateTimeLocal - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', '-', { editType: 'dateTimeLocal' }),
model: { myfield: '2023-12-17T00:00' },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// editType === 'password'
test('it renders: editType=password / type=string - as Hds::Form::TextInput [@type=password]', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'string', { editType: 'password', defaultValue: 'default' })
);
assert
.dom('.field [class^="hds-form-field"] input.hds-form-text-input')
.exists('renders as Hds::Form::TextInput');
assert
.dom(`input[type="password"]`)
.exists('renders input with type=password')
.hasAttribute('name', 'myfield', 'input[type="password"] has correct `id` attribute')
.doesNotHaveAttribute(
'placeholder',
'input[type="password"] does not have `placeholder` attribute by default'
)
.hasAttribute(
'autocomplete',
'new-password',
'input[type="password"] has correct `autocomplete` attribute'
)
.hasAttribute('spellcheck', 'false', 'input[type="password"] has correct `spellcheck` attribute')
.hasAttribute(
'data-test-input',
'myfield',
'input[type="password"] has correct `data-test-input` attribute'
);
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('default', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), 'bar');
assert.strictEqual(model.get('myfield'), 'bar');
assert.ok(spy.calledWith('myfield', 'bar'), 'onChange called with correct args');
});
test('it renders: editType=password / type=number - as Hds::Form::TextInput [@type=password]', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'number', { editType: 'password', defaultValue: 123 })
);
assert
.dom('.field [class^="hds-form-field"] input.hds-form-text-input')
.exists('renders as Hds::Form::TextInput');
assert
.dom(`input${GENERAL.inputByAttr('myfield')}[type="password"]`)
.exists('renders input with type=password');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('123', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), 987);
assert.strictEqual(model.get('myfield'), '987');
assert.ok(spy.calledWith('myfield', '987'), 'onChange called with correct args');
});
test('it renders: editType=password / type=string - with passed label, placeholder, subtext, help text, doclink', async function (assert) {
await setup.call(
this,
createAttr('myfield', 'string', {
editType: 'password',
placeholder: 'Custom placeholder',
label: 'Custom label',
subText: 'Some subtext',
helpText: 'Some help text',
docLink: '/docs',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom(GENERAL.inputByAttr('myfield'))
.hasAttribute('placeholder', 'Custom placeholder', 'renders the placeholder from options');
assert
.dom(GENERAL.helpTextByAttr('Some subtext'))
.exists('renders `subText` option as HelperText')
.hasText(
'Some subtext See our documentation for help.',
'renders the right subtext string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subtext')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subtext');
assert
.dom(GENERAL.helpTextByAttr('Some help text'))
.exists('renders `help text` option as HelperText')
.hasText('Some help text', 'renders the right help text string from options');
});
test('it renders: editType=password / type=string - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', 'string', { editType: 'password' }),
model: { myfield: 'bar' },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// editType === 'textarea'
test('it renders: editType=textarea / type=string - as Hds::Form::Textarea', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'string', { editType: 'textarea', defaultValue: 'default' })
);
assert
.dom('.field [class^="hds-form-field"] textarea.hds-form-textarea')
.exists('renders as Hds::Form::Textarea');
assert
.dom(`textarea`)
.exists('renders textarea')
.hasAttribute('data-test-input', 'myfield', 'textarea has correct `data-test-input` attribute');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('default', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), 'bar');
assert.strictEqual(model.get('myfield'), 'bar');
assert.true(spy.calledWith('myfield', 'bar'), 'onChange called with correct args');
});
test('it renders: editType=textarea / type=number - as Hds::Form::Textarea', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', 'number', { editType: 'textarea', defaultValue: 123 })
);
assert
.dom('.field [class^="hds-form-field"] textarea.hds-form-textarea')
.exists('renders as Hds::Form::Textarea');
assert
.dom(`textarea`)
.exists('renders textarea')
.hasAttribute('data-test-input', 'myfield', 'textarea has correct `data-test-input` attribute');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('123', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), 'bar');
assert.strictEqual(model.get('myfield'), 'bar');
assert.true(spy.calledWith('myfield', 'bar'), 'onChange called with correct args');
});
test('it renders: editType=textarea / type=string - with passed docLink, helpText, label, placeholder, subText', async function (assert) {
await setup.call(
this,
createAttr('myfield', 'string', {
editType: 'textarea',
docLink: '/docs',
helpText: 'Some helpText',
label: 'Custom label',
placeholder: 'Custom placeholder',
subText: 'Some subText',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom(GENERAL.inputByAttr('myfield'))
.hasAttribute('placeholder', 'Custom placeholder', 'renders the placeholder from options');
assert
.dom(GENERAL.helpTextByAttr('Some subText'))
.exists('renders `subText` option as HelperText')
.hasText(
'Some subText See our documentation for help.',
'renders the right subText string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subText')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subText');
assert
.dom(GENERAL.helpTextByAttr('Some helpText'))
.exists('renders `helpText` option as HelperText')
.hasText('Some helpText', 'renders the right help text string from options');
});
test('it renders: editType=textarea / type=string - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', 'string', { editType: 'textarea' }),
model: { myfield: 'bar' },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// type/editType === 'boolean'
test('it renders: type=boolean - as Hds::Form::Checkbox', async function (assert) {
await setup.call(this, createAttr('myfield', 'boolean', { defaultValue: 'false' }));
assert
.dom('.field [class^="hds-form-field"] input[type="checkbox"].hds-form-checkbox')
.exists('renders as Hds::Form::Checkbox::Field');
assert
.dom(`input[type=checkbox]`)
.exists('renders input[type="checkbox"]')
.hasAttribute(
'data-test-input',
'myfield',
'input[type="checkbox"] has correct `data-test-input` attribute'
);
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input[type="checkbox"] label');
});
test('it renders: editType=boolean - as Hds::Form::Checkbox', async function (assert) {
await setup.call(this, createAttr('myfield', '-', { editType: 'boolean', defaultValue: 'false' }));
assert
.dom('.field [class^="hds-form-field"] input[type="checkbox"].hds-form-checkbox')
.exists('renders as Hds::Form::Checkbox::Field');
assert
.dom(`input[type=checkbox]`)
.exists('renders input[type="checkbox"]')
.hasAttribute(
'data-test-input',
'myfield',
'input[type="checkbox"] has correct `data-test-input` attribute'
);
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input[type="checkbox"] label');
});
test('it renders: editType=boolean - unselected by default', async function (assert) {
await setup.call(this, createAttr('myfield', '-', { editType: 'boolean' }));
assert.dom(GENERAL.inputByAttr('myfield')).isNotChecked('input[type="checkbox"] is not checked');
});
test('it renders: editType=boolean - selected and changes it', async function (assert) {
const [model, spy] = await setup.call(
this,
createAttr('myfield', '-', { editType: 'boolean', defaultValue: 'true' })
);
assert.dom(GENERAL.inputByAttr('myfield')).isChecked('input[type="checkbox"] is checked');
await click(GENERAL.inputByAttr('myfield'));
assert.false(model.get('myfield'));
assert.true(spy.calledWith('myfield', false), 'onChange called with correct args');
});
test('it renders: editType=boolean - with passed label, subtext, helptext, doclink', async function (assert) {
await setup.call(
this,
createAttr('myfield', '-', {
editType: 'boolean',
label: 'Custom label',
subText: 'Some subtext',
helpText: 'Some helptext',
docLink: '/docs',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom(GENERAL.helpTextByAttr('Some subtext'))
.exists('renders `subText` option as HelperText')
.hasText('Some subtext Learn more here.', 'renders the right subtext string from options');
assert
.dom(`${GENERAL.helpTextByAttr('Some subtext')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subtext');
assert
.dom(GENERAL.helpTextByAttr('Some helptext'))
.exists('renders `helptext` option as HelperText')
.hasText('Some helptext', 'renders the right help text string from options');
});
test('it renders: editType=boolean - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', '-', { editType: 'boolean' }),
model: { myfield: false },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
// editType === undefined && (type === 'string' || type === 'number')
test('it renders: editType=undefined type=string - as Hds::Form::TextInput', async function (assert) {
const [model, spy] = await setup.call(this, createAttr('myfield', 'string', { defaultValue: 'default' }));
assert
.dom('.field [class^="hds-form-field"] input[type="text"].hds-form-text-input')
.exists('renders as Hds::Form::TextInput::Field');
assert
.dom(`input[type=text]`)
.exists('renders input[type="text"]')
.hasAttribute(
'data-test-input',
'myfield',
'input[type="text"] has correct `data-test-input` attribute'
)
.hasAttribute('name', 'myfield', 'input[type="text"] has correct `name` attribute')
.hasAttribute('id', 'myfield', 'input[type="text"] has correct `id` attribute');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input[type="text"] label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('default', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), 'bar');
assert.strictEqual(model.get('myfield'), 'bar');
assert.true(spy.calledWith('myfield', 'bar'), 'onChange called with correct args');
});
test('it renders: editType=undefined type=number - as Hds::Form::TextInput', async function (assert) {
const [model, spy] = await setup.call(this, createAttr('myfield', 'number', { defaultValue: 123 }));
assert
.dom('.field [class^="hds-form-field"] input[type="text"].hds-form-text-input')
.exists('renders as Hds::Form::TextInput::Field');
assert
.dom(`input[type=text]`)
.exists('renders input[type="text"]')
.hasAttribute(
'data-test-input',
'myfield',
'input[type="text"] has correct `data-test-input` attribute'
)
.hasAttribute('name', 'myfield', 'input[type="text"] has correct `name` attribute')
.hasAttribute('id', 'myfield', 'input[type="text"] has correct `id` attribute');
assert.dom(GENERAL.fieldLabel()).hasText('Myfield', 'renders the input[type="text"] label');
assert.dom(GENERAL.inputByAttr('myfield')).hasValue('123', 'renders default value');
await fillIn(GENERAL.inputByAttr('myfield'), 1234);
assert.strictEqual(model.get('myfield'), '1234');
assert.true(spy.calledWith('myfield', '1234'), 'onChange called with correct args');
});
test('it renders: editType=undefined - with passed characterLimit, docLink, editDisabled, helpText, label, placeholder, subText', async function (assert) {
await setup.call(
this,
createAttr('myfield', 'string', {
characterLimit: 10,
docLink: '/docs',
editDisabled: true,
helpText: 'Some helpText',
label: 'Custom label',
placeholder: 'Custom placeholder',
subText: 'Some subText',
})
);
assert.dom(GENERAL.fieldLabel()).hasText('Custom label', 'renders the custom label from options');
assert
.dom('.hds-form-field__character-count')
.containsText('10', 'renders the characterLimit helper text from options');
assert
.dom(GENERAL.inputByAttr('myfield'))
.hasAttribute('placeholder', 'Custom placeholder', 'renders the placeholder from options')
.hasAttribute('disabled', '', 'renders the disabled attribute from options')
.hasAttribute('maxlength', '10', 'renders the characterLimit from options');
assert
.dom(GENERAL.helpTextByAttr('Some subText'))
.exists('renders `subText` option as HelperText')
.hasText(
'Some subText See our documentation for help.',
'renders the right subText string from options'
);
assert
.dom(`${GENERAL.helpTextByAttr('Some subText')} ${GENERAL.docLinkByAttr('/docs')}`)
.exists('renders `docLink` option as as link inside the subText');
assert
.dom(GENERAL.helpTextByAttr('Some helpText'))
.exists('renders `helpText` option as HelperText')
.hasText('Some helpText', 'renders the right helpText string from options');
});
test('it renders: editType=undefined - with readOnly when mode=edit', async function (assert) {
this.setProperties({
attr: createAttr('myfield', 'string', { readOnly: true }),
mode: 'edit',
model: { myfield: false },
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @mode={{this.mode}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.inputByAttr('myfield'))
.hasAttribute('readonly', '', 'renders the readOnly attribute from options');
});
test('it renders: editType=undefined - with validation errors and warnings', async function (assert) {
this.setProperties({
attr: createAttr('myfield', 'string'),
model: { myfield: false },
modelValidations: {
myfield: {
isValid: false,
errors: ['Error message #1', 'Error message #2'],
warnings: ['Warning message #1', 'Warning message #2'],
},
},
onChange: () => {},
});
await render(
hbs`<FormField @attr={{this.attr}} @model={{this.model}} @modelValidations={{this.modelValidations}} @onChange={{this.onChange}} />`
);
assert
.dom(GENERAL.validationErrorByAttr('myfield'))
.exists('Validation error renders')
.hasText('Error message #1 Error message #2', 'Validation errors are combined');
assert
.dom(GENERAL.validationWarningByAttr('myfield'))
.exists('Validation warning renders')
.hasText('Warning message #1 Warning message #2', 'Validation warnings are combined');
});
});