尤其是在一般和電腦版應用程式中,剪下及貼上文字是應用程式最常用的功能之一。如何複製網路上的文字?找到了截然不同的新風貌。實際情況會因使用的瀏覽器而異。
新穎時尚
使用 Async Clipboard API
Clipboard.writeText()
方法採用字串並傳回 Promise,成功將文字成功寫入剪貼簿。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);
}
});