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

feat: implement number field debouncing #998

Merged
merged 2 commits into from
Jan 26, 2024
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
101 changes: 60 additions & 41 deletions packages/form-js-viewer/src/render/components/form-fields/Number.js
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import Big from 'big.js';
import classNames from 'classnames';
import { useCallback, useMemo, useRef, useState } from 'preact/hooks';
import { useFlushDebounce, usePrevious } from '../../hooks';

import { Description } from '../Description';
import { Errors } from '../Errors';
Expand Down Expand Up @@ -32,8 +33,7 @@ export function Numberfield(props) {
onFocus,
field,
value,
readonly,
onChange
readonly
} = props;

const {
Expand All @@ -42,7 +42,6 @@ export function Numberfield(props) {
appearance = {},
validate = {},
decimalDigits,
serializeToString = false,
increment: incrementValue
} = field;

Expand All @@ -55,94 +54,113 @@ export function Numberfield(props) {

const inputRef = useRef();

const [ stringValueCache, setStringValueCache ] = useState('');
const [ cachedValue, setCachedValue ] = useState(value);
const [ displayValue, setDisplayValue ] = useState(value);

// checks whether the value currently in the form data is practically different from the one in the input field cache
// this allows us to guarantee the field always displays valid form data, but without auto-simplifying values like 1.000 to 1
const cacheValueMatchesState = useMemo(() => Numberfield.config.sanitizeValue({ value, formField: field }) === Numberfield.config.sanitizeValue({ value: stringValueCache, formField: field }), [ stringValueCache, value, field ]);
const sanitize = useCallback((value) => Numberfield.config.sanitizeValue({ value, formField: field }), [ field ]);

const displayValue = useMemo(() => {
const [ debouncedOnChange, flushOnChange ] = useFlushDebounce(props.onChange);

if (value === 'NaN') return 'NaN';
if (stringValueCache === '-') return '-';
return cacheValueMatchesState ? stringValueCache : ((value || value === 0) ? Big(value).toFixed() : '');
const previousCachedValue = usePrevious(value);

}, [ stringValueCache, value, cacheValueMatchesState ]);
if (previousCachedValue !== cachedValue) {
debouncedOnChange({ field, value: cachedValue });
}

const arrowIncrementValue = useMemo(() => {

if (incrementValue) return Big(incrementValue);
if (decimalDigits) return Big(`1e-${decimalDigits}`);
return Big('1');

}, [ decimalDigits, incrementValue ]);
const onInputBlur = () => {
flushOnChange && flushOnChange();
onBlur && onBlur();
};

const onInputFocus = () => {
onFocus && onFocus();
};

// all value changes must go through this function
const setValue = useCallback((stringValue) => {

if (isNullEquivalentValue(stringValue)) {
setStringValueCache('');
onChange({ field, value: null });
setDisplayValue('');
setCachedValue(null);
return;
}

// treat commas as dots
// converts automatically for countries where the comma is used as a decimal separator
stringValue = stringValue.replaceAll(',', '.');

if (stringValue === '-') {
setStringValueCache('-');
setDisplayValue('-');
return;
}

// provides feedback for invalid numbers entered via pasting as opposed to just ignoring the paste
if (isNaN(Number(stringValue))) {
setStringValueCache('NaN');
onChange({ field, value: 'NaN' });
setDisplayValue('NaN');
setCachedValue(null);
return;
}

setStringValueCache(stringValue);
onChange({ field, value: serializeToString ? stringValue : Number(stringValue) });
setDisplayValue(stringValue);
setCachedValue(sanitize(stringValue));

}, [ sanitize ]);

}, [ field, onChange, serializeToString ]);
// when external changes occur independently of the input, we update the display and cache values of the component
const previousValue = usePrevious(value);
const outerValueChanged = previousValue != value;
const outerValueEqualsCache = sanitize(value) === sanitize(cachedValue);

if (outerValueChanged && !outerValueEqualsCache) {
setValue(value && value.toString() || '');
}

// caches the value an increment/decrement operation will be based on
const incrementAmount = useMemo(() => {

if (incrementValue) return Big(incrementValue);
if (decimalDigits) return Big(`1e-${decimalDigits}`);
return Big('1');

}, [ decimalDigits, incrementValue ]);

const increment = () => {
if (readonly) {
return;
}

const base = isValidNumber(value) ? Big(value) : Big(0);
const stepFlooredValue = base.minus(base.mod(arrowIncrementValue));
const base = isValidNumber(cachedValue) ? Big(cachedValue) : Big(0);
const stepFlooredValue = base.minus(base.mod(incrementAmount));

// note: toFixed() behaves differently in big.js
setValue(stepFlooredValue.plus(arrowIncrementValue).toFixed());
setValue(stepFlooredValue.plus(incrementAmount).toFixed());
};

const decrement = () => {
if (readonly) {
return;
}

const base = isValidNumber(value) ? Big(value) : Big(0);
const offset = base.mod(arrowIncrementValue);
const base = isValidNumber(cachedValue) ? Big(cachedValue) : Big(0);
const offset = base.mod(incrementAmount);

if (offset.cmp(0) === 0) {

// if we're already on a valid step, decrement
setValue(base.minus(arrowIncrementValue).toFixed());
setValue(base.minus(incrementAmount).toFixed());
}
else {

// otherwise floor to the step
const stepFlooredValue = base.minus(base.mod(arrowIncrementValue));
const stepFlooredValue = base.minus(base.mod(incrementAmount));
setValue(stepFlooredValue.toFixed());
}
};

const onKeyDown = (e) => {

// delete the NaN state all at once on backspace or delete
if (value === 'NaN' && (e.code === 'Backspace' || e.code === 'Delete')) {
setValue(null);
if (displayValue === 'NaN' && (e.code === 'Backspace' || e.code === 'Delete')) {
setValue('');
e.preventDefault();
return;
}
Expand Down Expand Up @@ -187,14 +205,15 @@ export function Numberfield(props) {
id={ domId }
onKeyDown={ onKeyDown }
onKeyPress={ onKeyPress }
onBlur={ onBlur }
onFocus={ onFocus }
onBlur={ onInputBlur }
onFocus={ onInputFocus }

// @ts-ignore
onInput={ (e) => setValue(e.target.value) }
onInput={ (e) => setValue(e.target.value, true) }
onPaste={ (e) => displayValue === 'NaN' && e.preventDefault() }
type="text"
autoComplete="off"
step={ arrowIncrementValue }
step={ incrementAmount }
value={ displayValue }
aria-describedby={ errorMessageId } />
<div class={ classNames('fjs-number-arrow-container', { 'fjs-disabled': disabled, 'fjs-readonly': readonly }) }>
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,10 @@ export function isValidNumber(value) {

export function willKeyProduceValidNumber(key, previousValue, caretIndex, selectionWidth, decimalDigits) {

if (previousValue === 'NaN') {
return false;
}

// Dot and comma are both treated as dot
previousValue = previousValue.replace(',', '.');
const isFirstDot = !previousValue.includes('.') && (key === '.' || key === ',');
Expand Down
1 change: 1 addition & 0 deletions packages/form-js-viewer/src/render/hooks/index.js
Original file line number Diff line number Diff line change
Expand Up @@ -8,6 +8,7 @@ export { useKeyDownAction } from './useKeyDownAction';
export { useReadonly } from './useReadonly';
export { useService } from './useService';
export { usePrevious } from './usePrevious';
export { useFlushDebounce } from './useFlushDebounce';
export { useDeepCompareState } from './useDeepCompareState';
export { useSingleLineTemplateEvaluation } from './useSingleLineTemplateEvaluation';
export { useTemplateEvaluation } from './useTemplateEvaluation';
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -675,9 +675,10 @@ describe('Number', function() {
fireEvent.input(input, { target: { value: '12.25a' } });

// then
expect(input.value).to.equal('NaN');
expect(onChangeSpy).to.have.been.calledWith({
field: stringField,
value: 'NaN'
value: null
});

});
Expand Down
Loading