Skip to main content

useAction

info

useAction waits for the action to finish execution before returning the result. If you need to perform optimistic updates, use useOptimisticAction instead.

With this hook, you get full control of the action execution flow. Let's say, for instance, you want to change what's displayed by a component when a button is clicked.

Example

  1. Define a new action called greetUser, that takes a name as input and returns a greeting:
"use server";

const schema = z.object({
name: z.string(),
});

export const greetUser = actionClient
.schema(schema)
.action(async ({ parsedInput: { name } }) => {
return { message: `Hello ${name}!` };
});
  1. In your Client Component, you can use it like this:
"use client";

import { useAction } from "next-safe-action/hooks";
import { greetUser } from "@/app/greet-action";

export default function Greet() {
const [name, setName] = useState("");
const { execute, result } = useAction(greetUser);

return (
<div>
<input type="text" onChange={(e) => setName(e.target.value)} />
<button
onClick={() => {
execute({ name });
}}>
Greet user
</button>
{result.data?.message ? <p>{result.data.message}</p> : null}
</div>
);
}

As you can see, here we display a greet message after the action is performed, if it succeeds.

useAction arguments

useAction has the following arguments:

NameTypePurpose
safeActionFnHookSafeActionFnThis is the action that will be called when you use execute from hook's return object.
utils?HookCallbacksOptional callbacks. More information about them here.

useAction return object

useAction returns an object with the following properties:

NameTypePurpose
execute(input: InferIn<S>) => voidAn action caller with no return. The input is the same as the safe action you passed to the hook.
executeAsync(input: InferIn<S>) => Promise<Awaited<ReturnType<typeof safeActionFn>>>An action caller that returns a promise with the return value of the safe action. The input is the same as the safe action you passed to the hook.
inputInferIn<S> | undefinedThe input passed to the execute function.
resultHookResultWhen the action gets called via execute, this is the result object.
reset() => voidProgrammatically reset input and result object with this function.
statusHookActionStatusThe action current status.
isIdlebooleanTrue if the action status is idle.
isExecutingbooleanTrue if the action status is executing.
hasSucceededbooleanTrue if the action status is hasSucceeded.
hasErroredbooleanTrue if the action status is hasErrored.

Explore a working example here.