extracting href from beautiful soup

2019-01-15 20:13发布

问题:

I'm trying to extract a link from a google search result. Inspect element tells me that the section I am interested in has "class = r". The first result looks like this:

<h3 class="r" original_target="https://en.wikipedia.org/wiki/chocolate" style="display: inline-block;">
    <a href="https://en.wikipedia.org/wiki/Chocolate" 
       ping="/url?sa=t&amp;source=web&amp;rct=j&amp;url=https://en.wikipedia.org/wiki/Chocolate&amp;ved=0ahUKEwjW6tTC8LXZAhXDjpQKHSXSClIQFgheMAM" 
       saprocessedanchor="true">
        Chocolate - Wikipedia
    </a>
</h3>

To extract the "href" I do:

import bs4, requests
res = requests.get('https://www.google.com/search?q=chocolate')
googleSoup = bs4.BeautifulSoup(res.text, "html.parser")
elements= googleSoup.select(".r a")
elements[0].get("href")

But I unexpectedly get:

'/url?q=https://en.wikipedia.org/wiki/Chocolate&sa=U&ved=0ahUKEwjHjrmc_7XZAhUME5QKHSOCAW8QFggWMAA&usg=AOvVaw03f1l4EU9fYd'

Where I wanted:

"https://en.wikipedia.org/wiki/Chocolate"

The attribute "ping" seems to be confusing it. Any ideas?

回答1:

What's happening?

If you print the response content (i.e. googleSoup.text) you'll see that you're getting a completely different HTML. The page source and the response content doesn't match.

This is not happening because the content is loaded dynamically; as even then, the page source, and response content is the same. (But the HTML you see while inspecting the element is different.)

A basic explanation for this is that Google recognizes the Python script and changes its response.

Solution:

To overcome this, you can pass a fake User-Agent to make the script look like a real browser.


Code:

headers = {'User-Agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_11_6) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/61.0.3163.100 Safari/537.36'}

r = requests.get('https://www.google.co.in/search?q=chocolate', headers=headers)
soup = BeautifulSoup(r.text, 'lxml')

elements = soup.select('.r a')
print(elements[0]['href'])

Output:

https://en.wikipedia.org/wiki/Chocolate

Resources:

  • Sending “User-agent” using Requests library in Python
  • How to use Python requests to fake a browser visit?
  • Using headers with the Python requests library's get method