使用无头Chrome进行网页抓取(Rust),点击似乎无法工作。

huangapple go评论52阅读模式
英文:

Web-scraping with headless-chrome (Rust), clicking doesn't seem to work

问题

I'm relatively new to Rust and completely new to web (scraping).
我对Rust相对不太了解,对于网络(爬虫)完全陌生。

I tried to implement a web scraper as a pet project to get more comfortable with rust and with the web stack.
我尝试实现一个网络爬虫作为个人项目,以更熟悉Rust和Web技术栈。

I use headless-chrome to go on a website and scrape a website of links, which I will investigate later.
我使用headless-chrome来访问网站并爬取链接,稍后会进行调查。

So, I open a tab, navigate to the website, then scrape the URLs, and finally want to click on the next button. Even though I find the next button (with a CSS selector) and I use click(), nothing happens.
所以,我打开一个标签,导航到网站,然后爬取URL,最后想要点击下一页按钮。尽管我找到了下一页按钮(使用CSS选择器),并使用了click(),但什么都没有发生。

In the next iteration, I scrape the same list again (clearly didn't move to the next page).
在下一次迭代中,我再次爬取相同的列表(明显没有转到下一页)。

use headless_chrome::Tab;
use std::error::Error;
use std::sync::Arc;
use std::{thread, time};

pub fn scrape(tab: Arc<Tab>) {
    let url = "https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&d=true&lids=513958&lids=513960&lids=513966&pami=750&pma=500000&pmi=10000&sd=DESC&sf=TIMESTAMP";

    if let Err(_) = tab.navigate_to(url) {
        println!("Failed to navigate to {}", url);
        return;
    }

    if let Err(e) = tab.wait_until_navigated() {
        println!("Failed to wait for navigation: {}", e);
        return;
    }

    if let Ok(gdpr_accept_button) = tab.wait_for_element(".sc-gsDKAQ.fILFKg") {
        if let Err(e) = gdpr_accept_button.click() {
            println!("Failed to click GDPR accept button: {}", e);
            return;
        }
    } else {
        println!("No GDPR popup to acknowledge found.");
    }

    let mut links = Vec::<String>::new();
    loop {
        let mut skipped: usize = 0;
        let new_urls_count: usize;
        match parse_list(&tab) {
            Ok(urls) => {
                new_urls_count = urls.len();
                for url in urls {
                    if !links.contains(&url) {
                        links.push(url);
                    } else {
                        skipped += 1;
                    }
                }
            }
            Err(_) => {
                println!("No more houses found: stopping");
                break;
            }
        }

        if skipped == new_urls_count {
            println!("Only previously loaded houses found: stopping");
            break;
        }

        if let Ok(button) = tab.wait_for_element("[class=\"arrowButton-20ae5\"]") {
            if let Err(e) = button.click() {
                println!("Failed to click next page button: {}", e);
                break;
            } else {
                println!("Clicked next page button");
            }
        } else {
            println!("No next page button found: stopping");
            break;
        }

        if let Err(e) = tab.wait_until_navigated() {
            println!("Failed to load next page: {}", e);
            break;
        }
    }

    println!("Found {} houses:", links.len());
    for link in links {
        println!("\t{}", link);
    }
}

fn parse_list(tab: &Arc<Tab>) -> Result<Vec<String>, Box<dyn Error>> {
    let elements = tab.find_elements("div[class*=\"EstateItem\"] > a")?;

    let mut links = Vec::<String>::new();
    for element in elements {
        if let Some(url) = element
            .call_js_fn(
                "function() { return this.getAttribute(\"href\"); }",
                vec![],
                true,
            )?
            .value
        {
            links.push(url.to_string());
        }
    }

    Ok(links)
}

When I call this code in main, I get the following output:
当我在主函数中调用此代码时,我得到以下输出:

No GDPR popup to acknowledge found.
Clicked next page button
Only previously loaded houses found: stopping
Found 20 houses:
	...

My problem is that I don't understand clicking the next button doesn't do anything. As I am new to Rust and web applications if it's a problem with me using the crate (headless-chrome) or my understanding of web scraping.
我的问题是我不明白为什么点击下一页按钮没有任何反应。由于我对Rust和Web应用程序都很陌生,所以我不确定是我在使用crate(headless-chrome)还是我的Web爬取理解上存在问题。

英文:

I'm relatively new to Rust and completely new to web (scraping).
I tried to implement a web scraper as a pet project to get more comfortable with rust and with the web stack.

I use headless-chrome to go on a website and scrape a website of links, which I will investigate later.
So, I open a tab, navigate to the website, then scrape the URLs, and finally want to click on the next button. Even though I find the next button (with a CSS selector) and I use click(), nothing happens.
In the next iteration, I scrape the same list again (clearly didn't move to the next page).

use headless_chrome::Tab;
use std::error::Error;
use std::sync::Arc;
use std::{thread, time};
pub fn scrape(tab: Arc&lt;Tab&gt;) {
let url = &quot;https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&amp;d=true&amp;lids=513958&amp;lids=513960&amp;lids=513966&amp;pami=750&amp;pma=500000&amp;pmi=10000&amp;sd=DESC&amp;sf=TIMESTAMP&quot;;
if let Err(_) = tab.navigate_to(url) {
println!(&quot;Failed to navigate to {}&quot;, url);
return;
}
if let Err(e) = tab.wait_until_navigated() {
println!(&quot;Failed to wait for navigation: {}&quot;, e);
return;
}
if let Ok(gdpr_accept_button) = tab.wait_for_element(&quot;.sc-gsDKAQ.fILFKg&quot;) {
if let Err(e) = gdpr_accept_button.click() {
println!(&quot;Failed to click GDPR accept button: {}&quot;, e);
return;
}
} else {
println!(&quot;No GDPR popup to acknowledge found.&quot;);
}
let mut links = Vec::&lt;String&gt;::new();
loop {
let mut skipped: usize = 0;
let new_urls_count: usize;
match parse_list(&amp;tab) {
Ok(urls) =&gt; {
new_urls_count = urls.len();
for url in urls {
if !links.contains(&amp;url) {
links. Push(url);
} else {
skipped += 1;
}
}
}
Err(_) =&gt; {
println!(&quot;No more houses found: stopping&quot;);
break;
}
}
if skipped == new_urls_count {
println!(&quot;Only previously loaded houses found: stopping&quot;);
break;
}
if let Ok(button) = tab.wait_for_element(&quot;[class=\&quot;arrowButton-20ae5\&quot;]&quot;) {
if let Err(e) = button.click() {
println!(&quot;Failed to click next page button: {}&quot;, e);
break;
} else {
println!(&quot;Clicked next page button&quot;);
}
} else {
println!(&quot;No next page button found: stopping&quot;);
break;
}
if let Err(e) = tab.wait_until_navigated() {
println!(&quot;Failed to load next page: {}&quot;, e);
break;
}
}
println!(&quot;Found {} houses:&quot;, links.len());
for link in links {
println!(&quot;\t{}&quot;, link);
}
}
fn parse_list(tab: &amp;Arc&lt;Tab&gt;) -&gt; Result&lt;Vec&lt;String&gt;, Box&lt;dyn Error&gt;&gt; {
let elements = tab.find_elements(&quot;div[class*=\&quot;EstateItem\&quot;] &gt; a&quot;)?; //&quot;.EstateItem-1c115&quot;
let mut links = Vec::&lt;String&gt;::new();
for element in elements {
if let Some(url) = element
.call_js_fn(
&amp;&quot;function() {{ return this.getAttribute(\&quot;href\&quot;); }}&quot;,
vec![],
true,
)?
.value
{
links. Push(url.to_string());
}
}
Ok(links)
}

When I call this code in main, I get the following output:

No GDPR popup to acknowledge found.
Clicked next page button
Only previously loaded houses found: stopping
Found 20 houses:
...

My problem is that I don't understand clicking the next button doesn't do anything. As I am new to Rust and web applications if it's a problem with me using the crate (headless-chrome) or my understanding of web scraping.

答案1

得分: 2

Here is the translated code section:

tl;dr: 将点击下一页按钮的代码替换为以下内容:
```rust
if let Ok(button) = tab.wait_for_element(r#&quot;*[class^=&quot;Pagination&quot;] button:last-child&quot;#) {
    // 解释:左右箭头按钮都具有相同的类。原始选择器无法正常工作。
    if let Err(e) = button.click() {
        println!(&quot;点击下一页按钮失败: {}&quot;, e);
        break;
    } else {
        println!(&quot;已点击下一页按钮&quot;);
    }
} else {
    println!(&quot;未找到下一页按钮: 停止&quot;);
    break;
}

// 解释:Rust执行速度太快,因此需要等待页面加载
std::thread::sleep(std::time::Duration::from_secs(5)); // 等待5秒
if let Err(e) = tab.wait_until_navigated() {
    println!(&quot;加载下一页失败: {}&quot;, e);
    break;
}
  1. 原始代码会在第一页上点击右箭头按钮,然后在此之后点击左箭头按钮,因为CSS也会匹配左箭头按钮;并且由于在DOM树中位于第一位,左箭头按钮将被返回。
  2. 原始代码执行速度太快。Chrome需要等待一段时间才能加载。如果发现性能无法接受,可以检查此处的事件并等待浏览器发出事件<https://docs.rs/headless_chrome/latest/headless_chrome/protocol/cdp/Accessibility/events/struct.LoadCompleteEvent.html>。

最后建议,以上所有工作都是不必要的:很明显,URL模式如下:https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&amp;d=true&amp;lids=513958&amp;lids=513960&amp;lids=513966&amp;pami=750&amp;pma=500000&amp;pmi=10000&amp;sd=DESC&amp;sf={PAGINATION}。您可以通过基本地抓取分页元素来找到此站点中的所有页面;您可能也可以放弃Chrome,执行基本的HTTP请求并解析返回的HTML。为此,请查看<https://docs.rs/scraper/latest/scraper/>和<https://docs.rs/reqwest/latest/reqwest/>。如果性能对这个爬虫至关重要,reqwest也可以与tokio一起使用,以异步/并发方式抓取网页。

更新:

以下是我上面建议的Rust和Python实现。解析HTML/XML并评估XPath的Rust库似乎非常罕见且相对不可靠,不过。

use reqwest::Client;
use std::error::Error;
use std::sync::Arc;
use sxd_xpath::{Context, Factory, Value};

async fn get_page_count(client: &amp;reqwest::Client, url: &amp;str) -&gt; Result&lt;i32, Box&lt;dyn Error&gt;&gt; {
    let res = client.get(url).send().await?;
    let body = res.text().await?;
    let pages_count = body
        .split(&quot;\&quot;pagesCount\&quot;:&quot;)
        .nth(1)
        .unwrap()
        .split(&quot;,&quot;)
        .next()
        .unwrap()
        .trim()
        .parse::&lt;i32&gt;()?;
    Ok(pages_count)
}

async fn scrape_one(client: &amp;Client, url: &amp;str) -&gt; Result&lt;Vec&lt;String&gt;, Box&lt;dyn Error&gt;&gt; {
    let res = client.get(url).send().await?;
    let body = res.text().await?;
    let package = sxd_html::parse_html(&amp;body);
    let doc = package.as_document();

    let factory = Factory::new();
    let ctx = Context::new();

    let houses_selector = factory
        .build(&quot;//*[contains(@class, &#39;EstateItem&#39;)]&quot;)?
        .unwrap();
    let houses = houses_selector.evaluate(&amp;ctx, doc.root())?;

    if let Value::Nodeset(houses) = houses {
        let mut data = Vec::new();
        for house in houses {
            let title_selector = factory.build(&quot;.//h2/text()&quot;)?.unwrap();
            let title = title_selector.evaluate(&amp;ctx, house)?.string();
            let a_selector = factory.build(&quot;.//a/@href&quot;)?.unwrap();
            let href = a_selector.evaluate(&amp;ctx, house)?.string();
            data.push(format!(&quot;{} - {}&quot;, title, href));
        }
        return Ok(data);
    }
    Err(&quot;未找到数据&quot;.into())
}

#[tokio::main]
async fn main() -&gt; Result&lt;(), Box&lt;dyn Error&gt;&gt; {
    let url = &quot;https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&amp;d=true&amp;lids=513958&amp;lids=513960&amp;lids=513966&amp;pami=750&amp;pma=500000&amp;pmi=10000&amp;sd=DESC&quot;;
    let client = reqwest::Client::builder()
        .user_agent(
            &quot;Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:109.0) Gecko/20100101 Firefox/113.0&quot;,
        )
        .build()?;
    let client = Arc::new(client);
    let page_count = get_page_count(&amp;client, url).await?;
    let mut tasks = Vec::new();
    for i in 1..=page_count {
        let url = format!(&quot;{}&amp;sf={}&quot;, url, i);
        let client = client.clone();
        tasks.push(tokio::spawn(async move {
            scrape_one(&amp;client, &amp;url).await.unwrap()
        }));
    }
    let results = futures::future::join_all(tasks).await;
    for result in results {
        println!(&quot;{:?}&quot;, result?);
    }
    Ok(())
}
async def page_count(url):
    req = await session.get(url)
    return int(re.search(f&quot;pagesCount&quot;:\s*(\d+)&#39

<details>
<summary>英文:</summary>

tl;dr: replace the code in the click next page button as this:
```rust
if let Ok(button) = tab.wait_for_element(r#&quot;*[class^=&quot;Pagination&quot;] button:last-child&quot;#) {
    // Expl: both left and right arrow buttons have the same class. The original selector doesn&#39;t work, thusly.
    if let Err(e) = button.click() {
        println!(&quot;Failed to click next page button: {}&quot;, e);
        break;
    } else {
        println!(&quot;Clicked next page button&quot;);
    }
} else {
    println!(&quot;No next page button found: stopping&quot;);
    break;
}

// Expl: rust is too fast, so we need to wait for the page to load
std::thread::sleep(std::time::Duration::from_secs(5)); // Wait for 5 seconds
if let Err(e) = tab.wait_until_navigated() {
    println!(&quot;Failed to load next page: {}&quot;, e);
    break;
}
  1. The original code would click right button on the first page, then click left button here after because the CSS would match the left button as well; and by virtue being first in the DOM tree, the left button would be returned.
  2. The original code is just too fast. The chrome need to wait a bit to load. Should you find this performance to be not tolerable, check the event here and wait for the browser to emit the event <https://docs.rs/headless_chrome/latest/headless_chrome/protocol/cdp/Accessibility/events/struct.LoadCompleteEvent.html>.

As a final suggestion, all the work above is unnecessary: it is obvious that the URL pattern looks like this: https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&amp;d=true&amp;lids=513958&amp;lids=513960&amp;lids=513966&amp;pami=750&amp;pma=500000&amp;pmi=10000&amp;sd=DESC&amp;sf=TIMESTAMP&amp;sp={PAGINATION}. And you can find all the pages in this site by basically scrape the pagination elements; you might as well just ditch the chrome and perform and basic HTTP requests and parse the HTML returned. For this purpose, check <https://docs.rs/scraper/latest/scraper/> and <https://docs.rs/reqwest/latest/reqwest/> out. If performance is mission critical for this spider, reqwest can also be used with tokio to scrape the web page in asynchronous/concurrent manner.

UPDATE:

Below are rust/py implementation of my above suggestion. The rust library to parse HTML/XML and evaluate XPath seems to be very rare and relatively not reliable, however.

use reqwest::Client;
use std::error::Error;
use std::sync::Arc;
use sxd_xpath::{Context, Factory, Value};

async fn get_page_count(client: &amp;reqwest::Client, url: &amp;str) -&gt; Result&lt;i32, Box&lt;dyn Error&gt;&gt; {
    let res = client.get(url).send().await?;
    let body = res.text().await?;
    let pages_count = body
        .split(&quot;\&quot;pagesCount\&quot;:&quot;)
        .nth(1)
        .unwrap()
        .split(&quot;,&quot;)
        .next()
        .unwrap()
        .trim()
        .parse::&lt;i32&gt;()?;
    Ok(pages_count)
}

async fn scrape_one(client: &amp;Client, url: &amp;str) -&gt; Result&lt;Vec&lt;String&gt;, Box&lt;dyn Error&gt;&gt; {
    let res = client.get(url).send().await?;
    let body = res.text().await?;
    let package = sxd_html::parse_html(&amp;body);
    let doc = package.as_document();

    let factory = Factory::new();
    let ctx = Context::new();

    let houses_selector = factory
        .build(&quot;//*[contains(@class, &#39;EstateItem&#39;)]&quot;)?
        .unwrap();
    let houses = houses_selector.evaluate(&amp;ctx, doc.root())?;

    if let Value::Nodeset(houses) = houses {
        let mut data = Vec::new();
        for house in houses {
            let title_selector = factory.build(&quot;.//h2/text()&quot;)?.unwrap();
            let title = title_selector.evaluate(&amp;ctx, house)?.string();
            let a_selector = factory.build(&quot;.//a/@href&quot;)?.unwrap();
            let href = a_selector.evaluate(&amp;ctx, house)?.string();
            data.push(format!(&quot;{} - {}&quot;, title, href));
        }
        return Ok(data);
    }
    Err(&quot;No data found&quot;.into())
}

#[tokio::main]
async fn main() -&gt; Result&lt;(), Box&lt;dyn Error&gt;&gt; {
    let url = &quot;https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&amp;d=true&amp;lids=513958&amp;lids=513960&amp;lids=513966&amp;pami=750&amp;pma=500000&amp;pmi=10000&amp;sd=DESC&quot;;
    let client = reqwest::Client::builder()
        .user_agent(
            &quot;Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:109.0) Gecko/20100101 Firefox/113.0&quot;,
        )
        .build()?;
    let client = Arc::new(client);
    let page_count = get_page_count(&amp;client, url).await?;
    let mut tasks = Vec::new();
    for i in 1..=page_count {
        let url = format!(&quot;{}&amp;sf={}&quot;, url, i);
        let client = client.clone();
        tasks.push(tokio::spawn(async move {
            scrape_one(&amp;client, &amp;url).await.unwrap()
        }));
    }
    let results = futures::future::join_all(tasks).await;
    for result in results {
        println!(&quot;{:?}&quot;, result?);
    }
    Ok(())
}
async def page_count(url):
    req = await session.get(url)
    return int(re.search(f&#39;&quot;pagesCount&quot;:\s*(\d+)&#39;, await req.text()).group(1))

async def scrape_one(url):
    req = await session.get(url)
    tree = etree.HTML(await req.text())
    houses = tree.xpath(&quot;//*[contains(@class, &#39;EstateItem&#39;)]&quot;)
    data = [
        dict(title=house.xpath(&quot;.//h2/text()&quot;)[0], href=house.xpath(&quot;.//a/@href&quot;)[0])
        for house in houses
    ]
    return data

url = &quot;https://www.immowelt.at/liste/bezirk-bruck-muerzzuschlag/haeuser/kaufen?ami=125&amp;d=true&amp;lids=513958&amp;lids=513960&amp;lids=513966&amp;pami=750&amp;pma=500000&amp;pmi=10000&amp;sd=DESC&quot;
result = await asyncio.gather(
    *[
        scrape_one(url + f&quot;&amp;sf={i}&quot;)
        for i in range(1, await page_count(url + &quot;&amp;sf=1&quot;) + 1)
    ]
)

huangapple
  • 本文由 发表于 2023年6月12日 01:31:34
  • 转载请务必保留本文链接:https://go.coder-hub.com/76451684.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定