开发者问题收集

使用 Puppeteer 点击不同链接时出现问题

2019-05-28
5348

我使用 puppeteer 在 node 中编写了一些小脚本,以便循环点击来自 网站 着陆页的不同帖子的链接。

我的脚本中使用的网站链接是一个占位符。而且,它们不是动态的。因此,puppeteer 可能有点矫枉过正。但是,我的目的是学习点击的逻辑。

当我执行我的第一个脚本时,它会点击一次并在离开源时引发以下错误。

const puppeteer = require("puppeteer");

(async () => {
    const browser = await puppeteer.launch({headless:false});
    const [page] = await browser.pages();
    await page.goto("https://stackoverflow.com/questions/tagged/web-scraping",{waitUntil:'networkidle2'});
    await page.waitFor(".summary");
    const sections = await page.$$(".summary");

    for (const section of sections) {
        await section.$eval(".question-hyperlink", el => el.click())
    }

    await browser.close();
})();

上述脚本遇到的错误:

(node:9944) UnhandledPromiseRejectionWarning: Error: Execution context was destroyed, most likely because of a navigation.

当我执行以下操作时,脚本假装点击一次(实际上不是)并遇到与之前相同的错误。

const puppeteer = require("puppeteer");

(async () => {
    const browser = await puppeteer.launch({headless:false});
    const [page] = await browser.pages();
    await page.goto("https://stackoverflow.com/questions/tagged/web-scraping");

    await page.waitFor(".summary .question-hyperlink");
    const sections = await page.$$(".summary .question-hyperlink");

    for (let i=0, lngth = sections.length; i < lngth; i++) {
        await sections[i].click();
    }

    await browser.close();
})();

上述脚本引发的错误:

(node:10128) UnhandledPromiseRejectionWarning: Error: Execution context was destroyed, most likely because of a navigation.

如何让我的脚本循环执行点击?

2个回答

问题:

Execution context was destroyed, most likely because of a navigation.

错误表明您想要单击某个链接,或者在某个不再存在的页面上执行某些操作,很可能是因为您离开了。

逻辑:

将 puppeteer 脚本视为浏览真实页面的真实人类。

首先,我们加载 url ( https://stackoverflow.com/questions/tagged/web-scraping )。

接下来,我们要浏览该页面上提出的所有问题。为此,我们通常会做什么?我们会执行以下任一操作,

  • 新选项卡 中打开一个链接。专注于该新选项卡,完成我们的工作并返回原始选项卡。继续下一个链接。
  • 我们点击一​​个链接,执行操作, 返回上一页 ,继续下一个。

因此,它们都涉及离开并返回当前页面。

如果您不遵循此流程,您将收到如上所示的错误消息。

解决方案

至少有 4 种或更多方法可以解决此问题。我将采用最简单和最复杂的方法。

方法:链接提取

首先,我们提取当前页面上的所有链接。

const links = await page.$$eval(".hyperlink", element => element.href);

这为我们提供了一个 URL 列表。我们可以为每个链接创建一个新选项卡。

for(let link of links){
  const newTab = await browser.newPage();
  await newTab.goto(link);
  // do the stuff
  await newTab.close();
}

这将逐一浏览每个链接。我们可以通过使用 promise.map 和各种队列库来改进这一点,但你明白我的意思了。

方法:返回主页

我们需要以某种方式存储状态,以便我们能够知道上次访问了哪个链接。如果我们访问了第三个问题并返回到标签页面,下次我们需要访问第四个问题,反之亦然。

检查以下代码。

const puppeteer = require("puppeteer");

(async () => {
  const browser = await puppeteer.launch({ headless: false });
  const page = await browser.newPage();

  await page.goto(
    `https://stackoverflow.com/questions/tagged/web-scraping?sort=newest&pagesize=15`
  );

  const visitLink = async (index = 0) => {
    await page.waitFor("div.summary > h3 > a");

    // extract the links to click, we need this every time
    // because the context will be destryoed once we navigate
    const links = await page.$$("div.summary > h3 > a");
    // assuming there are 15 questions on one page,
    // we will stop on 16th question, since that does not exist
    if (links[index]) {
      console.log("Clicking ", index);

      await Promise.all([

        // so, start with the first link
        await page.evaluate(element => {
          element.click();
        }, links[index]),

        // either make sure we are on the correct page due to navigation
        await page.waitForNavigation(),
        // or wait for the post data as well
        await page.waitFor(".post-text")
      ]);

      const currentPage = await page.title();
      console.log(index, currentPage);

      // go back and visit next link
      await page.goBack({ waitUntil: "networkidle0" });
      return visitLink(index + 1);
    }
    console.log("No links left to click");
  };

  await visitLink();

  await browser.close();
})();

结果: 在此处输入图像描述

编辑:有多个与此类似的问题。如果您想了解更多信息,我将引用它们。

Md. Abu Taher
2019-05-28

我发现,与其循环点击所有链接,不如解析所有链接,然后使用同一个浏览器导航到每个链接,这样效果更好。试一试:

const puppeteer = require("puppeteer");

(async () => {
    const browser = await puppeteer.launch({headless:false});
    const [page] = await browser.pages();
    const base = "https://stackoverflow.com"
    await page.goto("https://stackoverflow.com/questions/tagged/web-scraping");
    let links = [];
    await page.waitFor(".summary .question-hyperlink");
    const sections = await page.$$(".summary .question-hyperlink");

    for (const section of sections) {
        const clink = await page.evaluate(el=>el.getAttribute("href"), section);
        links.push(`${base}${clink}`);
    }

    for (const link of links) {
        await page.goto(link);
        await page.waitFor('h1 > a');
    }
    await browser.close();
})();
robots.txt
2019-05-29