如何使用nodejs中的Puppeteer从浏览器剪贴板复制文本

时间:2018-03-06 13:01:14

标签: node.js puppeteer

有没有办法在nodejs中使用Puppeteer从浏览器剪贴板复制内容。我正在尝试复制页面呈现后的内容。这是通过波纹管代码实现的,但无法获取内容。

await page.keyboard.down('ControlLeft');
await page.keyboard.press('KeyA');
await page.keyboard.up('ControlLeft');

await page.keyboard.down('ControlLeft');
await page.keyboard.press('KeyC');
await page.keyboard.up('ControlLeft');

1 个答案:

答案 0 :(得分:1)

从输入框复制

您可以评估以下代码段以复制来自任何输入元素的数据。

function copyText(selector) {
  var copyText = document.querySelector(selector);
  copyText.select();
  document.execCommand("Copy");
  return copyText.value;
}

用法:

const result = await page.evaluate(() => {
  function copyText(selector) {
    var copyText = document.querySelector(selector);
    copyText.select();
    document.execCommand("Copy");
    return copyText.value;
  }
  return copyText("#foo");
});

现在结果应该包含从输入框复制的文本。

将任何内容复制到剪贴板

您可以从this answer评估代码段。

const result = await page.evaluate(() => {
  function copy(text) {
    var input = document.createElement('input');
    input.setAttribute('value', text);
    document.body.appendChild(input);
    input.select();
    document.execCommand('copy');
    document.body.removeChild(input)
  }
  return copy(document.body.innerHTML); // copy whatever want to copy
});

它将创建一个输入元素,将提供的文本设置为值,然后从该元素中复制数据,最后在使用后将其删除。