-
Notifications
You must be signed in to change notification settings - Fork 387
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
Translate useOptimistic #928
base: main
Are you sure you want to change the base?
Changes from all commits
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change | ||||
---|---|---|---|---|---|---|
|
@@ -5,13 +5,13 @@ canary: true | |||||
|
||||||
<Canary> | ||||||
|
||||||
The `useOptimistic` Hook is currently only available in React's canary and experimental channels. Learn more about [React's release channels here](/community/versioning-policy#all-release-channels). | ||||||
Хук `useOptimistic` сейчас доступен только в React Canary и экспериментальных каналах. Узнать больше о релизаx React можно [здесь](/community/versioning-policy#all-release-channels). | ||||||
|
||||||
</Canary> | ||||||
|
||||||
<Intro> | ||||||
|
||||||
`useOptimistic` is a React Hook that lets you optimistically update the UI. | ||||||
`useOptimistic` это хук, который позволяет оптимистично обновлять UI. | ||||||
|
||||||
```js | ||||||
const [optimisticState, addOptimistic] = useOptimistic(state, updateFn); | ||||||
|
@@ -23,13 +23,13 @@ The `useOptimistic` Hook is currently only available in React's canary and exper | |||||
|
||||||
--- | ||||||
|
||||||
## Reference {/*reference*/} | ||||||
## Справочник {/*reference*/} | ||||||
|
||||||
### `useOptimistic(state, updateFn)` {/*use*/} | ||||||
|
||||||
`useOptimistic` is a React hook that lets you show a different state while an async action is underway. It accepts some state as an argument and returns a copy of that state that can be different during the duration of an async action such as a network request. You provide a function that takes the current state and the input to the action, and returns the optimistic state to be used while the action is pending. | ||||||
`useOptimistic` --это хук React, который позволяет показать другое состояние пока выполняется какое-то асинхронное действие. Он принимает состояние, которое может отличаться во время выполнения асинхронного действия, например таким действием может быть сетевой запрос. Вы передаёте функцию, которая принимает текущее состояние и входные параметры для какого-то действия, и возвращает оптимистичное состояние, которое используется пока действие находится режиме ожидания. | ||||||
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.
Suggested change
|
||||||
|
||||||
This state is called the "optimistic" state because it is usually used to immediately present the user with the result of performing an action, even though the action actually takes time to complete. | ||||||
Такое состояние называется "оптимистичным" состоянием, потому что обычно используется для того, чтобы показать результат выполнения действия как можно быстрее, даже если для завершения обычно требуется время. | ||||||
|
||||||
```js | ||||||
import { useOptimistic } from 'react'; | ||||||
|
@@ -39,35 +39,35 @@ function AppContainer() { | |||||
state, | ||||||
// updateFn | ||||||
(currentState, optimisticValue) => { | ||||||
// merge and return new state | ||||||
// with optimistic value | ||||||
// объединить и вернуть новое состояние | ||||||
// с оптимистичным значением | ||||||
} | ||||||
); | ||||||
} | ||||||
``` | ||||||
|
||||||
[See more examples below.](#usage) | ||||||
[Больше примеров ниже.](#usage) | ||||||
|
||||||
#### Parameters {/*parameters*/} | ||||||
#### Параметры {/*parameters*/} | ||||||
|
||||||
* `state`: the value to be returned initially and whenever no action is pending. | ||||||
* `updateFn(currentState, optimisticValue)`: a function that takes the current state and the optimistic value passed to `addOptimistic` and returns the resulting optimistic state. It must be a pure function. `updateFn` takes in two parameters. The `currentState` and the `optimisticValue`. The return value will be the merged value of the `currentState` and `optimisticValue`. | ||||||
* `state`: значение, которое вернётся изначально, и во всех случаях, когда нет действий в состоянии ожидания. | ||||||
* `updateFn(currentState, optimisticValue)`: функция, которая принимает текущее состояние и оптимистичное значение, переданное в `addOptimistic`, и возвращает результирующее оптимистичное состояние. Это должна быть чистая функция. `updateFn` принимает два параметра: `currentState` и `optimisticValue`. Возвращаемое значение будет результатом объединения `currentState` и `optimisticValue`. | ||||||
|
||||||
|
||||||
#### Returns {/*returns*/} | ||||||
#### Возвращаемое значение {/*returns*/} | ||||||
|
||||||
* `optimisticState`: The resulting optimistic state. It is equal to `state` unless an action is pending, in which case it is equal to the value returned by `updateFn`. | ||||||
* `addOptimistic`: `addOptimistic` is the dispatching function to call when you have an optimistic update. It takes one argument, `optimisticValue`, of any type and will call the `updateFn` with `state` and `optimisticValue`. | ||||||
* `optimisticState`: Результат оптимистичного состояния. Оно равно `state` до тех пор, пока действие не находится в состоянии ожидания, иначе будет равно значению, возвращённому из `updateFn`. | ||||||
* `addOptimistic`: `addOptimistic` --это функция-диспетчер, которая вызывается при оптимистичном обновлении. Она принимает только один аргумент `optimisticValue` любого типа и вызовет `updateFn` с параметрами `state` and `optimisticValue`. | ||||||
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.
Suggested change
|
||||||
|
||||||
--- | ||||||
|
||||||
## Usage {/*usage*/} | ||||||
## Использование {/*usage*/} | ||||||
|
||||||
### Optimistically updating forms {/*optimistically-updating-with-forms*/} | ||||||
### Оптимистичное обновление форм {/*optimistically-updating-with-forms*/} | ||||||
|
||||||
The `useOptimistic` Hook provides a way to optimistically update the user interface before a background operation, like a network request, completes. In the context of forms, this technique helps to make apps feel more responsive. When a user submits a form, instead of waiting for the server's response to reflect the changes, the interface is immediately updated with the expected outcome. | ||||||
Хук `useOptimistic` предоставляет возможность для оптимистичного обновление пользовательского интерфейса перед завершением работы в фоновом режиме, например, сетевого запроса. В контексте форм, эта техника помогает сделать приложение более отзывчивым. Когда пользователь отправляет форму, вместо ожидания ответа от сервера для того, чтобы показать обновление, интерфейс обновится сразу же с учётом ожидаемого результата. | ||||||
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.
Suggested change
|
||||||
|
||||||
For example, when a user types a message into the form and hits the "Send" button, the `useOptimistic` Hook allows the message to immediately appear in the list with a "Sending..." label, even before the message is actually sent to a server. This "optimistic" approach gives the impression of speed and responsiveness. The form then attempts to truly send the message in the background. Once the server confirms the message has been received, the "Sending..." label is removed. | ||||||
Например, когда пользователь вводит сообщение в форму и нажимает кнопку "Отправить", хук `useOptimistic` позволяет сообщению сразу отобразиться в списке с лейблом "Отправка...", ещё до того как сообщение фактически будет отправлено на сервер. Этот "оптимистичный" подход создаёт ощущение скорости и отзывчивости. Затем данные формы действительно отправляются на сервер в фоновом режиме. Как только приходит подтверждение сервера о том, что сообщение получено, лейбл "Отправка..." удаляется. | ||||||
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.
Suggested change
предлагаю избавиться от англицизма здесь, можете предложить другие альтернативы. |
||||||
|
||||||
<Sandpack> | ||||||
|
||||||
|
@@ -99,20 +99,20 @@ function Thread({ messages, sendMessage }) { | |||||
{optimisticMessages.map((message, index) => ( | ||||||
<div key={index}> | ||||||
{message.text} | ||||||
{!!message.sending && <small> (Sending...)</small>} | ||||||
{!!message.sending && <small> (Отправка...)</small>} | ||||||
</div> | ||||||
))} | ||||||
<form action={formAction} ref={formRef}> | ||||||
<input type="text" name="message" placeholder="Hello!" /> | ||||||
<button type="submit">Send</button> | ||||||
<button type="submit">Отправить</button> | ||||||
</form> | ||||||
</> | ||||||
); | ||||||
} | ||||||
|
||||||
export default function App() { | ||||||
const [messages, setMessages] = useState([ | ||||||
{ text: "Hello there!", sending: false, key: 1 } | ||||||
{ text: "Привет!", sending: false, key: 1 } | ||||||
]); | ||||||
async function sendMessage(formData) { | ||||||
const sentMessage = await deliverMessage(formData.get("message")); | ||||||
|
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.