텍스트 잘라내기 및 붙여넣기는 일반적인 앱과 특히 데스크톱 애플리케이션에서 가장 일반적으로 사용되는 기능 중 하나입니다. 웹에서 텍스트를 복사하려면 어떻게 해야 하나요? 옛 방식과 새로운 방식이 있습니다. 사용되는 브라우저에 따라 다릅니다.
현대적인 방식
Async Clipboard API 사용
Clipboard.writeText()
메서드는 문자열을 가져와 텍스트가 클립보드에 성공적으로 기록된 시점을 확인하는 프로미스를 반환합니다. Clipboard.writeText()
는 포커스가 있는 window
객체에서만 사용할 수 있습니다.
기존의 방식
document.execCommand()
사용
document.execCommand('copy')
를 호출하면 복사 성공 여부를 나타내는 불리언 값이 반환됩니다. 클릭 핸들러와 같은 사용자 동작 내에서 이 명령어를 호출하세요. 이 접근 방식에는 Async Clipboard API와 비교할 때 제한사항이 있습니다. execCommand()
메서드는 DOM 요소에서만 작동합니다. 동기식이므로 대량의 데이터, 특히 어떤 방식으로든 변환 또는 정리해야 하는 데이터를 복사하면 페이지가 차단될 수 있습니다.
점진적 개선
const copyButton = document.querySelector('#copyButton');
const out = document.querySelector('#out');
if ('clipboard' in navigator) {
copyButton.addEventListener('click', () => {
navigator.clipboard.writeText(out.value)
.then(() => {
console.log('Text copied');
})
.catch((err) => console.error(err.name, err.message));
});
} else {
copyButton.addEventListener('click', () => {
const textArea = document.createElement('textarea');
textArea.value = out.value;
textArea.style.opacity = 0;
document.body.appendChild(textArea);
textArea.focus();
textArea.select();
try {
const success = document.execCommand('copy');
console.log(`Text copy was ${success ? 'successful' : 'unsuccessful'}.`);
} catch (err) {
console.error(err.name, err.message);
}
document.body.removeChild(textArea);
});
}
추가 자료
- 클립보드 액세스 차단 해제 (최신 방식)
- 명령어 잘라내기 및 복사 (기존 방법)
데모
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1" />
<link
rel="icon"
href="data:image/svg+xml,<svg xmlns=%22http://www.w3.org/2000/svg%22 viewBox=%220 0 100 100%22><text y=%22.9em%22 font-size=%2290%22>🎉</text></svg>"
/>
<title>How to copy text</title>
</head>
<body>
<h1>How to copy text</h1>
<textarea rows="3">
Some sample text for you to copy. Feel free to edit this.</textarea
>
<button type="button">Copy</button>
</body>
</html>
:root {
color-scheme: dark light;
}
html {
box-sizing: border-box;
}
*,
*:before,
*:after {
box-sizing: inherit;
}
body {
margin: 1rem;
font-family: system-ui, sans-serif;
}
button {
display: block;
}
const textarea = document.querySelector('textarea');
const button = document.querySelector('button');
button.addEventListener('click', async () => {
try {
await navigator.clipboard.writeText(textarea.value);
} catch (err) {
console.error(err.name, err.message);
}
});