如何貼上文字

哈利.西奧多羅 (Harry Theodoulou)
Harry Theodoulou

如要透過程式輔助方式讀取使用者剪貼簿中的文字 (例如在點選按鈕後),您可以使用 Async Clipboard APIreadText() 方法。如果尚未授予讀取剪貼簿的權限,對 navigator.clipboard.readText() 的呼叫會在第一次呼叫該方法時要求。

const pasteButton = document.querySelector('#paste-button');

pasteButton
.addEventListener('click', async () => {
   
try {
     
const text = await navigator.clipboard.readText()
     document
.querySelector('textarea').value += text;
     console
.log('Text pasted.');
   
} catch (error) {
     console
.log('Failed to read clipboard');
   
}
});

瀏覽器支援

  • 66
  • 79
  • x
  • 13.1

資料來源

經典風格

使用了 document.execCommand()

使用 document.execCommand('paste'),即可在插入點貼上剪貼簿內容 (目前聚焦的 HTML 元素)。execCommand 方法會傳回布林值,指出 paste 事件是否成功。不過,這個方法有其限制,例如因為系統會同步,而貼上大量資料可能會封鎖網頁。

pasteButton.addEventListener('click', () => {
  document
.querySelector('textarea').focus();
 
const result = document.execCommand('paste')
  console
.log('document.execCommand result: ', result);
})

瀏覽器支援

  • 1
  • 12
  • 1
  • 1.3

資料來源

漸進增強

pasteButton.addEventListener('click', async () => {
   
try {
     
const text = await navigator.clipboard.readText()
     document
.querySelector('textarea').value += text;
     console
.log('Text pasted.');
   
} catch (error) {
     console
.log('Failed to read clipboard. Using execCommand instead.');
     document
.querySelector('textarea').focus();
     
const result = document.execCommand('paste')
     console
.log('document.execCommand result: ', result);
   
}
});

其他資訊

示範

<!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 paste text</title>
 
</head>
 
<body>
   
<h1>How to paste text</h1>
   
<p>
     
<button type="button">Paste</button>
   
</p>
   
<textarea></textarea>
 
</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 pasteButton = document.querySelector('button');

pasteButton
.addEventListener('click', async () => {
 
try {
   
const text = await navigator.clipboard.readText()
    document
.querySelector('textarea').value += text;
    console
.log('Text pasted.');
 
} catch (error) {
    console
.log('Failed to read clipboard. Using execCommand instead.');
    document
.querySelector('textarea').focus();
   
const result = document.execCommand('paste')
    console
.log('document.execCommand result: ', result);
 
}
});