data:image/s3,"s3://crabby-images/1aa63/1aa63da773b4626aa281152852a3cf7e4d55d109" alt="Copy To Clipboard In JavaScript and React"
Copy to Clipboard in JavaScript
To copy text into the clipboard using JavaScript, you can use the Clipboard API:
async function copyToClipboard(text) {
try {
await navigator.clipboard.writeText(text);
/* ✅ Copied successfully */
} catch (e) {
/* ❌ Failed to copy (insufficient permissions) */
}
}
The navigator.clipboard.writeText
function accepts the text to copy, and returns a Promise:
- resolved - if the text was copied successfully,
- rejected - if the user hasn't given the
"clipboard-write"
permission.
Using Clipboard API in React
You can use the above JavaScript code to implement copying to the clipboard in React, but it's helpful to create a custom hook:
function useCopyToClipboard() {
const [result, setResult] = useState<
null | { state: 'success' } | { state: 'error'; message: string }
>(null);
const copy = async (text: string) => {
try {
await navigator.clipboard.writeText(text);
setResult({ state: 'success' });
} catch (e) {
setResult({ state: 'error', message: e.message });
throw e;
} finally {
// 👇 Show the result feedback for 2 seconds
setTimeout(() => {
setResult(null);
}, 2000);
}
};
// 👇 We want the result as a tuple
return [copy, result] as const;
}
The hook returns a tuple with the function to copy text into the clipboard and an object describing the result:
- null - no text copied recently;
- "success" - text copied successfully;
- "error" - operation failed with the error
message
.
You can use the useCopyToClipboard
hook like this:
export function Example() {
const [inputText, setInputText] = useState('');
// 👇 Using our custom hook
const [copyToClipboard, copyResult] = useCopyToClipboard();
const handleChangeInput = (e: React.ChangeEvent<HTMLInputElement>) => {
setInputText(e.target.value);
};
const handleClickCopy = () => {
// Copy the text from the input field into the clipboard
copyToClipboard(inputText);
};
return (
<div>
<input value={inputText} onChange={handleChangeInput} />
<button onClick={handleClickCopy}>Copy to clipboard</button>
<div>
// 👇 Showing the results in the UI (for 2 seconds)
{copyResult?.state === 'success' && 'Copied successfully!'}
{copyResult?.state === 'error' && `Error: ${copyResult.message}`}
</div>
</div>
);
}
useCopyToClipboard
hook.The copy operation has no inherent feedback in the UI, so it's a good idea to provide it yourself, you can do that by checking the copyResult
value.
Here's what it looks like:
data:image/s3,"s3://crabby-images/fd2c1/fd2c15509ebf490d3be6d8247643a0c4e23df6a7" alt=""
useCopyToClipboard
React hook.Copy to clipboard button in React
You can also create a CopyToClipboard
button component in React that accepts a text
prop and handles showing the feedback messages in the UI. Here's an example that uses react-hot-toast:
import toast from 'react-hot-toast';
type Props = React.HTMLAttributes<HTMLButtonElement> & {
text: string;
};
function CopyToClipboard({ text, children = 'Copy', ...rest }: Props) {
const handleClickCopy = async () => {
try {
await navigator.clipboard.writeText(text);
// 👇 Using react-hot-toast to provide feedback
toast.success('Copied!');
} catch (e) {
toast.error(`Error: ${e.message}`);
throw e;
}
};
return (
<button onClick={handleClickCopy} {...rest}>
{children}
</button>
);
}
Feel free to use the native alert function instead of the toast messages. In that case, replace the toast calls with alert('your message')
. However, if you use react-hot-toast
you also need to add the Toaster
component. Here's an example:
export function Example() {
const [inputText, setInputText] = React.useState('');
const handleChangeInput = (e: React.ChangeEvent<HTMLInputElement>) => {
setInputText(e.target.value);
};
return (
<div>
{/* 👇 Don't forget to add this */}
<Toaster />
<input value={inputText} onChange={handleChangeInput} />
<CopyToClipboard text={inputText} />
</div>
);
}
CopyToClipboard
button.Here's what it looks like now:
data:image/s3,"s3://crabby-images/407e7/407e707df747beed3728b76834cc03601827a962" alt=""
CopyToClipboard
button.Conclusion
The simplest way to copy text to the clipboard in JavaScript is by using the Clipboard API. It has good support in modern browsers and it's easy to use.
However, in case you need to support older browsers you can use the copy-to-clipboard npm package, which falls back on using execCommand
in case the browser doesn't have access to navigator.clipboard
object.
Read about how to get values from the input fields in React next:
data:image/s3,"s3://crabby-images/8c002/8c002f5bb687ebb2fbdb924f4d54df4d143e5e36" alt=""