文章详情

短信预约-IT技能 免费直播动态提醒

请输入下面的图形验证码

提交验证

短信预约提醒成功

ChatGPT爬虫实例分析

2023-07-05 14:36

关注

本篇内容主要讲解“ChatGPT爬虫实例分析”,感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习“ChatGPT爬虫实例分析”吧!

思考问题域

我要写一个爬虫,把ChatGPT上我的数据都爬下来,首先想想我们的问题域,我想到几个问题:

所以总的来说我需要一个这样的流程:

ChatGPT爬虫实例分析

从流程上我们是不是可以看出,这个流程跟我们用WebConsole试验一段代码的过程很像?

ChatGPT爬虫实例分析

从这种相似性可以看出,我需要一个类似WebConsole的东西来实现我要的效果,这个东西学名叫REPL(Read–eval–print loop),不过你不知道这个名字也无所谓,不影响。

而且还不止,我需要从文件读入我的代码,毕竟没有代码高亮,我可写不好程序。从文件读入的话,我就可以用vscode给我提供代码高亮,这岂不是美滋滋。

想到这,如果是以前,我已经一个头两个大了,我只是想抓点东西,你让我搞个REPL,这玩意听着就不科学,我一天就晚上有一个小时的时间写点代码,这玩意太复杂了,乍一看也不是我业余时间能写出来的。

但是现在,我们有了ChatGPT,那么我接下来可以用ChatGPT开始写,简单做一个任务分解:

用ChatGPT写一个爬虫

1. 先写一个框架

首先,我可能不知道这个东西叫REPL,但是我知道控制台,那我就这么问:

如何用nodejs做一个命令行交互控制台,执行输入的js代码

然后我就得到了下面的代码:

const readline = require('readline');const rl = readline.createInterface({input: process.stdin,output: process.stdout,prompt: '>> '});rl.prompt();rl.on('line', (line) => {try {    const result = eval(line);    console.log(result);} catch (err) {    console.error(err);}rl.prompt();});rl.on('close', () => {console.log('Exiting...');process.exit(0);});

但是这个代码还不够我用的,我需要文件输入,所以我可以问:

如果是读入文件作为输入呢?

然后我得到了下面的代码:

const fs = require('fs');const fileName = 'path/to/file.js';const fileContent = fs.readFileSync(fileName, 'utf8');try {const result = eval(fileContent);console.log(result);} catch (err) {console.error(err);}

第一反应,这个不是async/await模式调用的呀,我后面代码写起来会很麻烦,于是我就说:

我要用fs/promises库实现上面逻辑怎么写呢?

然后我就得到了下面的代码:

const fs = require('fs').promises;const fileName = 'path/to/file.js';const fileContent = await fs.readFile(fileName, 'utf8');try {const result = eval(fileContent);console.log(result);} catch (err) {console.error(err);}

这个点算是令我满意了,但马上我又意识到不对劲,我需要执行完之后 hang 在那里等待下一次输入的,他这执行完就退出了,于是我又改进了的问题:

我要实现的效果是,启动后在命令行里打印一个“>”然后等待输入,我敲击回车,程序就会读入代码中写死的目标文件,并执行其中的js,然后重新打印一个“>“等待下一次输入,无限循环。

然后我得到了下面的代码:

const readline = require('readline');const fs = require('fs').promises;const rl = readline.createInterface({input: process.stdin,output: process.stdout,prompt: '> '});let filePath = 'path/to/target/file.js';rl.prompt();rl.on('line', async () => {try {    const fileContent = await fs.readFile(filePath, 'utf8');    const result = eval(fileContent);    console.log(result);} catch (err) {    console.error(err);}rl.prompt();});rl.on('SIGINT', () => {console.log('Exiting...');rl.close();process.exit(0);});

注意,我再第一次的时候忘记了写”无限循环“,所以他写的代码就只执行两次,仔细一看,确实这样实现也符合我说的逻辑,他没有猜测我要无限循环,所以在使用的时候要注意,有时候没得到你想要的结果可能是你没说清楚。

那么看起来到此为止就差不多了,没想到也不复杂。那我测试一下。

.├── index.js└── input    └── input.js

彩蛋:其中有一次执行的代码在后续执行发现错误,

发现下面错误:

  ```  /Volumes/MyLab/chatgpt-show/crawler/workspace/v1/index.js:15  const input = await new Promise(resolve => rl.question('', resolve));                  ^^^^^  SyntaxError: await is only valid in async functions and the top level bodies of modules      at internalCompileFunction (node:internal/vm:73:18)      at wrapSafe (node:internal/modules/cjs/loader:1149:20)      at Module._compile (node:internal/modules/cjs/loader:1190:27)      at Module._extensions..js (node:internal/modules/cjs/loader:1280:10)      at Module.load (node:internal/modules/cjs/loader:1089:32)      at Module._load (node:internal/modules/cjs/loader:930:12)      at Function.executeUserEntryPoint [as runMain] (node:internal/modules/run_main:81:12)      at node:internal/main/run_main_module:23:47  ```

原来是await用错了,不过没关系,直接拷给他:

上面的代码执行报错: SyntaxError: await is only valid in async functions and the top level bodies of modules

于是得到了修改后的代码

2. 在这个框架上,开发爬虫

那么接下来,我可以试着抓取一下列表了,这部分GPT3.5就不能胜任了,我切换到GPT4,然后问:

我用puppeteer打开一个网页,可以直接用document DOM API操作,然后返回数据,请抓取这个网页的列表,HTML如下:

.....

下面省略是openAI的页面代码,但是呢,因为他太大了,我不得不手动做了点删减,比如我列表很长,我就减到只剩3个元素,其他无关的元素的代码我都删掉。

经过几次询问,他给出了我代码:

const puppeteer = require('puppeteer');(async () => {    const browser = await puppeteer.launch();    const page = await browser.newPage();    await page.goto('你的网址'); // 将'你的网址'替换为您要打开的页面的实际URL    const list = await page.evaluate(() => {        const anchors = document.querySelectorAll('a');        const items = [];        for (const anchor of anchors) {            const itemText = anchor.querySelector('div.flex-1.text-ellipsis.max-h-5.overflow-hidden.break-all.relative');            if (itemText) {                const itemTitle = itemText.textContent.trim();                const itemLink = anchor.href;                items.push({ title: itemTitle, link: itemLink });            }        }        return items;    });    console.log(list);    await browser.close();})();

3. 回到任务1的问题域

真到执行的时候又发现新问题,这个puppeteer我希望他一直开着,就不能在input.js里启动,我需要在REPL代码里就执行,所以我需要稍微修改下代码,我说:

我需要在控制台启动的时候用puppeteer启动一个浏览器,然后每次回车可以让文件中的代码可以通过puppeteer访问启动的这个浏览器

然后得到了代码:

async function main() {const readline = require('readline');const fs = require('fs').promises;const puppeteer = require('puppeteer-core');const rl = readline.createInterface({    input: process.stdin,    output: process.stdout,    prompt: '> '});const browser = await puppeteer.launch({    executablePath: '/Applications/Google\ Chrome.app/Contents/MacOS/Google\ Chrome'});let filePath = 'path/to/target/file.js';rl.prompt();async function executeWithBrowser(browser) {    const fileContent = await fs.readFile(filePath, 'utf8');    return eval(`async function (browser) { ${fileContent} }`)(browser);}rl.on('line', async () => {    try {    const result = await executeWithBrowser(browser);    console.log(result);    } catch (err) {    console.error(err);    }    rl.prompt();});rl.on('SIGINT', async () => {    console.log('Exiting...');    await browser.close();    rl.close();    process.exit(0);});}main();

这代码还是不令我满意,我又接连问了下面几个问题:

最后得到了我可以执行的代码。不过实际执行中还出现了防抓机器人的问题,经过一些列的查找解决了这个问题,为了突出重点,这里就不贴解决过程了,最终代码如下:

const readline = require('readline');const fs = require('fs').promises;// const puppeteer = require('puppeteer-core');const puppeteer = require('puppeteer-extra')// add stealth plugin and use defaults (all evasion techniques)const StealthPlugin = require('puppeteer-extra-plugin-stealth');puppeteer.use(StealthPlugin());(async () => {const rl = readline.createInterface({    input: process.stdin,    output: process.stdout,    prompt: '> '});const browser = await puppeteer.launch({    executablePath: '/Applications/Google\ Chrome.app/Contents/MacOS/Google\ Chrome',    headless: false,    args: ['--no-sandbox', '--disable-setuid-sandbox', '--disable-web-security']});const page = await browser.newPage();let filePath = 'input/input.js';rl.prompt();async function executeWithPage(page) {    const fileContent = await fs.readFile(filePath, 'utf8');    const func = new Function('page', fileContent);    return func(page);}rl.on('line', async () => {    try {    const result = await executeWithPage(page);    console.log(result);    } catch (err) {    console.error(err);    }    rl.prompt();});rl.on('SIGINT', async () => {    console.log('Exiting...');    await browser.close();    rl.close();    process.exit(0);});})();

4. 最后回到具体的爬虫代码

而既然浏览器一直开着了,那我们需要执行的代码其实只有两个了:

(async () => {    await page.goto('https://chat.openai.com/chat/'); })();
(async () => {    const list = await page.evaluate(() => {        const anchors = document.querySelectorAll('a');        const items = [];        for (const anchor of anchors) {            const itemText = anchor.querySelector('div.flex-1.text-ellipsis.max-h-5.overflow-hidden.break-all.relative');            if (itemText) {                const itemTitle = itemText.textContent.trim();                const itemLink = anchor.href;                items.push({ title: itemTitle, link: itemLink });            }        }        return items;    });    console.log(list);})();

当然实际上fetch_list.js有点问题,因为openai做了防抓程序,我们可能很难搞到列表项的链接,不过这个也不难,我们用名字匹配挨个点就好了嘛,反正也不多。

比如下面这样:

(async () => {    const targetTitle = 'AI Replacing Human';    const targetSelector = await page.evaluateHandle((targetTitle) => {        const anchors = document.querySelectorAll('a');        for (const anchor of anchors) {            const itemText = anchor.querySelector('div.flex-1.text-ellipsis.max-h-5.overflow-hidden.break-all.relative');            if (itemText && itemText.textContent.trim() === targetTitle) {                return anchor;            }        }        return null;    }, targetTitle);    if (targetSelector) {        const box = await targetSelector.boundingBox();        await page.mouse.click(box.x + box.width / 2, box.y + box.height / 2);        console.log(`Clicked the link with title "${targetTitle}".`);    } else {        console.log(`No link found with title "${targetTitle}".`);    }})();

说句题外话,上面的代码很有意思,似乎它为了防止点某个具体元素不管用,竟然点击了一个区域。

接下来如果我们想备份我们的每一个thread就可以在这个基础上,让ChatGPT继续给我们写实现完成即可,这里就不继续展开了,大家可以自己完成。

回顾一下,我们做了什么,得到了什么?

最终,我们就靠ChatGPT把这个REPL给做了出来,为了写一个这样的小功能,我们做了个框架,颇有点为了这点醋才包的这顿饺子的味道了。这要是在以前的时代,是一个巨大的浪费,但其实先做一个框架的思路在ChatGPT时代应该成为一种习惯,它会从两个方面带来好处:

到此,相信大家对“ChatGPT爬虫实例分析”有了更深的了解,不妨来实际操作一番吧!这里是编程网网站,更多相关内容可以进入相关频道进行查询,关注我们,继续学习!

阅读原文内容投诉

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

软考中级精品资料免费领

  • 历年真题答案解析
  • 备考技巧名师总结
  • 高频考点精准押题
  • 2024年上半年信息系统项目管理师第二批次真题及答案解析(完整版)

    难度     801人已做
    查看
  • 【考后总结】2024年5月26日信息系统项目管理师第2批次考情分析

    难度     348人已做
    查看
  • 【考后总结】2024年5月25日信息系统项目管理师第1批次考情分析

    难度     311人已做
    查看
  • 2024年上半年软考高项第一、二批次真题考点汇总(完整版)

    难度     432人已做
    查看
  • 2024年上半年系统架构设计师考试综合知识真题

    难度     220人已做
    查看

相关文章

发现更多好内容

猜你喜欢

AI推送时光机
位置:首页-资讯-后端开发
咦!没有更多了?去看看其它编程学习网 内容吧
首页课程
资料下载
问答资讯