Вы можете положиться не на одну единственную ссылку, а на ссылку контейнера. У вас всегда есть ссылка на один контейнер, и всякий раз, когда пользователь стирает данные на входе, вы должны получить все входные данные из контейнера, используя .querySelectorAll('input')
, найти неверный и сфокусировать его.
const {
useState,
useCallback,
useMemo,
useRef,
useEffect
} = React;
const defaultUsers = [
{ id: 1, name: "User #1", email: "user1@gmail.com" },
{ id: 2, name: "User #2", email: "user2@gmail.com" },
{ id: 3, name: "User #3", email: "user3@gmail.com" },
{ id: 4, name: "User #4", email: "user4@gmail.com" },
{ id: 5, name: "", email: "user5@gmail.com" },
{ id: 6, name: "User #6", email: "user6@gmail.com" },
{ id: 7, name: "User #7", email: "user7@gmail.com" },
{ id: 8, name: "User #8", email: "" },
{ id: 9, name: "User #9", email: "user9@gmail.com" },
{ id: 10, name: "User #10", email: "user10@gmail.com" }
];
const App = () => {
const tbodyRef = useRef();
const focusNextInvalidInput = useCallback(() => {
if (tbodyRef.current) {
const inputs = tbodyRef.current.querySelectorAll("td > input");
for (const input of inputs) {
if (input.value.length === 0) {
input.focus();
return;
}
}
}
}, [tbodyRef]);
useEffect(() => {
focusNextInvalidInput();
}, [focusNextInvalidInput]);
const [users, setUsers] = useState(defaultUsers);
const updateUserField = useCallback(
(id, field, value) =>
setUsers(
users.map(user => (user.id === id ? { ...user, [field]: value } : user))
),
[users]
);
const changeUserName = useCallback(
(id, name) => updateUserField(id, "name", name),
[updateUserField]
);
const changeUserEmail = useCallback(
(id, email) => updateUserField(id, "email", email),
[updateUserField]
);
const usersRows = useMemo(() => {
return users.map(({ id, name, email }) => (
<tr key={id}>
<td>{id}</td>
<td>
<input
type="text"
onChange={e => changeUserName(id, e.target.value)}
value={name}
onBlur={focusNextInvalidInput}
/>
</td>
<td>
<input
type="email"
onChange={e => changeUserEmail(id, e.target.value)}
value={email}
onBlur={focusNextInvalidInput}
/>
</td>
</tr>
));
}, [users, changeUserEmail, changeUserName, focusNextInvalidInput]);
return (
<table>
<thead>
<tr>
<th>ID</th>
<th>Name</th>
<th>Email</th>
</tr>
</thead>
<tbody ref={tbodyRef}>{usersRows}</tbody>
</table>
);
};
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
<script crossorigin src="https://unpkg.com/react@16/umd/react.production.min.js"></script>
<script crossorigin src="https://unpkg.com/react-dom@16/umd/react-dom.production.min.js"></script>
<div id="root"></div>
Пример CodeSandbox .