Como colar imagens

Harry Theodoulou
Harry Theodoulou

Para ler imagens da área de transferência do usuário de maneira programática, ou seja, após um clique no botão, use o método read() da API Async Clipboard. Se a permissão para ler a área de transferência ainda não tiver sido concedida, a chamada para navigator.clipboard.read() vai solicitá-la na primeira chamada do método.

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

pasteButton
.addEventListener('click', async () => {
 
try {
   
const clipboardItems = await navigator.clipboard.read();
   
for (const clipboardItem of clipboardItems) {
     
const imageTypes = clipboardItem.types.find(type => type.startsWith('image/'))
     
for (const imageType of imageTypes) {
       
const blob = await clipboardItem.getType(imageType);
       
// Do something with the image blob.
     
}
   
}
 
} catch (err) {
    console
.error(err.name, err.message);
 
}
});

Compatibilidade com navegadores

  • 86
  • 79
  • 13.1

Origem

A forma clássica

Ouça o evento paste

A forma clássica de colar imagens é usar a API Clipboard (síncrona), que dá acesso ao campo clipboardData do evento Documento: paste. No entanto, esse método tem limitações, por exemplo, por ser síncrono, colar grandes quantidades de dados pode bloquear a página.

document.addEventListener('paste', async (e) => {
  e
.preventDefault();

 
for (const clipboardItem of e.clipboardData.files) {
   
if (clipboardItem.type.startsWith('image/')) {
     
// Do something with the image file.
   
}
 
}
});

Compatibilidade com navegadores

  • 66
  • 79
  • 63
  • 13.1

Origem

Aprimoramento progressivo

Para navegadores que não são compatíveis com a API Async Clipboard, é impossível acessar a área de transferência do usuário programaticamente (por exemplo, com um clique de botão). Assim, para acessar a área de transferência de um usuário em um evento paste, você pode usar a API Async Clipboard e voltar à API Clipboard (síncrona).

Os objetos ClipboardItem provenientes de navigator.clipboard.read têm um campo types, que é uma matriz, e os objetos File provenientes de event.clipboardData.files têm um campo type, que é uma string. É possível verificar condicionalmente cada um dos campos type ou types para ver imagens da área de transferência:

document.addEventListener('paste', async (e) => {
  e
.preventDefault();
 
const clipboardItems = typeof navigator?.clipboard?.read === 'function' ? await navigator.clipboard.read() : e.clipboardData.files;

 
for (const clipboardItem of clipboardItems) {
    let blob
;
   
if (clipboardItem.type?.startsWith('image/')) {
     
// For files from `e.clipboardData.files`.
      blob
= clipboardItem
     
// Do something with the blob.
   
} else {
     
// For files from `navigator.clipboard.read()`.
     
const imageTypes = clipboardItem.types?.filter(type => type.startsWith('image/'))
     
for (const imageType of imageTypes) {
        blob
= await clipboardItem.getType(imageType);
       
// Do something with the blob.
     
}
   
}
 
}
});

Leia mais

  • API Clipboard no MDN
  • Desbloquear o acesso à área de transferência no web.dev

Demonstração

<!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 images</title>
 
</head>
 
<body>
   
<h1>How to paste images</h1>
   
<p>Hit <kbd></kbd> + <kbd>v</kbd> (for macOS) or <kbd>ctrl</kbd> + <kbd>v</kbd>
      (for other operating systems) to paste images anywhere in this page.
   
</p>
 
</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;
}
       

        document
.addEventListener('paste', async (e) => {
  e
.preventDefault();
 
const clipboardItems = typeof navigator?.clipboard?.read === 'function' ? await navigator.clipboard.read() : e.clipboardData.files;

 
for (const clipboardItem of clipboardItems) {
    let blob
;
   
if (clipboardItem.type?.startsWith('image/')) {
     
// For files from `e.clipboardData.files`.
      blob
= clipboardItem
     
// Do something with the blob.
      appendImage
(blob);
   
} else {
     
// For files from `navigator.clipboard.read()`.
     
const imageTypes = clipboardItem.types?.filter(type => type.startsWith('image/'))
     
for (const imageType of imageTypes) {
        blob
= await clipboardItem.getType(imageType);
       
// Do something with the blob.
        appendImage
(blob);
     
}
   
}
 
}
});

const appendImage = (blob) => {
 
const img = document.createElement('img');
  img
.src = URL.createObjectURL(blob);
  document
.body.append(img);
};