- Notifications
You must be signed in to change notification settings - Fork947
fix(site): speed up state syncs and validate input for debounce hook logic#18877
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 ourterms of service andprivacy statement. We’ll occasionally send you account related emails.
Already on GitHub?Sign in to your account
Uh oh!
There was an error while loading.Please reload this page.
Changes fromall commits
9f35d9b
01850ca
264069e
9cd1c57
af376a2
9ca576b
11217cb
4266b85
b9b5c9f
c25cc8f
File filter
Filter by extension
Conversations
Uh oh!
There was an error while loading.Please reload this page.
Jump to
Uh oh!
There was an error while loading.Please reload this page.
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -11,8 +11,8 @@ afterAll(() => { | ||
jest.clearAllMocks(); | ||
}); | ||
describe(useDebouncedValue.name, () => { | ||
function renderDebouncedValue<T>(value: T, time: number) { | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others.Learn more. Default type parameter removed to match new type signature for the main hook | ||
return renderHook( | ||
({ value, time }: { value: T; time: number }) => { | ||
return useDebouncedValue(value, time); | ||
@@ -23,6 +23,25 @@ describe(`${useDebouncedValue.name}`, () => { | ||
); | ||
} | ||
it("Should throw for non-nonnegative integer timeouts", () => { | ||
const invalidInputs: readonly number[] = [ | ||
Number.NaN, | ||
Number.NEGATIVE_INFINITY, | ||
Number.POSITIVE_INFINITY, | ||
Math.PI, | ||
-42, | ||
]; | ||
const dummyValue = false; | ||
for (const input of invalidInputs) { | ||
expect(() => { | ||
renderDebouncedValue(dummyValue, input); | ||
}).toThrow( | ||
`Invalid value ${input} for debounceTimeoutMs. Value must be an integer greater than or equal to zero.`, | ||
); | ||
} | ||
}); | ||
it("Should immediately return out the exact same value (by reference) on mount", () => { | ||
const value = {}; | ||
const { result } = renderDebouncedValue(value, 2000); | ||
@@ -58,6 +77,24 @@ describe(`${useDebouncedValue.name}`, () => { | ||
await jest.runAllTimersAsync(); | ||
await waitFor(() => expect(result.current).toEqual(true)); | ||
}); | ||
// Very important that we not do any async logic for this test | ||
it("Should immediately resync without any render/event loop delays if timeout is zero", () => { | ||
const initialValue = false; | ||
const time = 5000; | ||
const { result, rerender } = renderDebouncedValue(initialValue, time); | ||
expect(result.current).toEqual(false); | ||
// Just to be on the safe side, re-render once with the old timeout to | ||
// verify that nothing has been flushed yet | ||
rerender({ value: !initialValue, time }); | ||
expect(result.current).toEqual(false); | ||
// Then do the real re-render once we know the coast is clear | ||
rerender({ value: !initialValue, time: 0 }); | ||
expect(result.current).toBe(true); | ||
}); | ||
}); | ||
describe(`${useDebouncedFunction.name}`, () => { | ||
@@ -75,6 +112,27 @@ describe(`${useDebouncedFunction.name}`, () => { | ||
); | ||
} | ||
describe("input validation", () => { | ||
it("Should throw for non-nonnegative integer timeouts", () => { | ||
const invalidInputs: readonly number[] = [ | ||
Number.NaN, | ||
Number.NEGATIVE_INFINITY, | ||
Number.POSITIVE_INFINITY, | ||
Math.PI, | ||
-42, | ||
]; | ||
const dummyFunction = jest.fn(); | ||
for (const input of invalidInputs) { | ||
expect(() => { | ||
renderDebouncedFunction(dummyFunction, input); | ||
}).toThrow( | ||
`Invalid value ${input} for debounceTimeoutMs. Value must be an integer greater than or equal to zero.`, | ||
); | ||
} | ||
}); | ||
}); | ||
describe("hook", () => { | ||
it("Should provide stable function references across re-renders", () => { | ||
const time = 5000; | ||
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -2,18 +2,15 @@ | ||
* @file Defines hooks for created debounced versions of functions and arbitrary | ||
* values. | ||
* | ||
* It is not safe to call most general-purpose debounce utility functions inside | ||
* a React render. This is because the state for handling the debounce logic | ||
* lives in the utility instead of React. If you call a general-purpose debounce | ||
* function inline, that will create a new stateful function on every render, | ||
* which has a lot of risks around conflicting/contradictory state. | ||
*/ | ||
import { useCallback, useEffect, useRef, useState } from "react"; | ||
typeUseDebouncedFunctionReturn<Args extends unknown[]> = Readonly<{ | ||
debounced: (...args: Args) => void; | ||
// Mainly here to make interfacing with useEffect cleanup functions easier | ||
@@ -34,26 +31,32 @@ type useDebouncedFunctionReturn<Args extends unknown[]> = Readonly<{ | ||
*/ | ||
export function useDebouncedFunction< | ||
// Parameterizing on the args instead of the whole callback function type to | ||
// avoid typecontravariance issues | ||
Args extends unknown[] = unknown[], | ||
>( | ||
callback: (...args: Args) => void | Promise<void>, | ||
debounceTimeoutMs: number, | ||
): UseDebouncedFunctionReturn<Args> { | ||
if (!Number.isInteger(debounceTimeoutMs) || debounceTimeoutMs < 0) { | ||
throw new Error( | ||
`Invalid value ${debounceTimeoutMs} for debounceTimeoutMs. Value must be an integer greater than or equal to zero.`, | ||
); | ||
} | ||
const timeoutIdRef = useRef<number | undefined>(undefined); | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others.Learn more. Updated ref type to match the type used by the browser's | ||
const cancelDebounce = useCallback(() => { | ||
if (timeoutIdRef.current !==undefined) { | ||
window.clearTimeout(timeoutIdRef.current); | ||
} | ||
timeoutIdRef.current =undefined; | ||
}, []); | ||
const debounceTimeRef = useRef(debounceTimeoutMs); | ||
useEffect(() => { | ||
cancelDebounce(); | ||
debounceTimeRef.current =debounceTimeoutMs; | ||
}, [cancelDebounce,debounceTimeoutMs]); | ||
const callbackRef = useRef(callback); | ||
useEffect(() => { | ||
@@ -81,19 +84,32 @@ export function useDebouncedFunction< | ||
/** | ||
* Takes any value, and returns out a debounced version of it. | ||
*/ | ||
export function useDebouncedValue<T>(value: T, debounceTimeoutMs: number): T { | ||
MemberAuthor
| ||
if (!Number.isInteger(debounceTimeoutMs) || debounceTimeoutMs < 0) { | ||
throw new Error( | ||
`Invalid value ${debounceTimeoutMs} for debounceTimeoutMs. Value must be an integer greater than or equal to zero.`, | ||
); | ||
} | ||
const [debouncedValue, setDebouncedValue] = useState(value); | ||
// If the debounce timeout is ever zero, synchronously flush any state syncs. | ||
// Doing this mid-render instead of in useEffect means that we drastically cut | ||
// down on needless re-renders, and we also avoid going through the event loop | ||
// to do a state sync that is *intended* to happen immediately | ||
if (value !== debouncedValue && debounceTimeoutMs === 0) { | ||
setDebouncedValue(value); | ||
} | ||
useEffect(() => { | ||
if (debounceTimeoutMs === 0) { | ||
return; | ||
} | ||
const timeoutId = window.setTimeout(() => { | ||
setDebouncedValue(value); | ||
}, debounceTimeoutMs); | ||
return () => window.clearTimeout(timeoutId); | ||
}, [value,debounceTimeoutMs]); | ||
return debouncedValue; | ||
} |
Uh oh!
There was an error while loading.Please reload this page.