Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Python3.5 BeautifulSoup4 get text from 'p' in div

I am trying to pull all the text from the div class 'caselawcontent searchable-content'. This code just prints the HTML without the text from the web page. What am I missing to get the text?

The following link is in the 'finteredcasesdoc.text' file:
http://caselaw.findlaw.com/mo-court-of-appeals/1021163.html

import requests
from bs4 import BeautifulSoup

with open('filteredcasesdoc.txt', 'r') as openfile1:

    for line in openfile1:
                rulingpage = requests.get(line).text
                soup = BeautifulSoup(rulingpage, 'html.parser')
                doctext = soup.find('div', class_='caselawcontent searchable-content')
                print (doctext)
like image 830
user8016906 Avatar asked May 16 '17 01:05

user8016906


2 Answers

from bs4 import BeautifulSoup
import requests

url = 'http://caselaw.findlaw.com/mo-court-of-appeals/1021163.html'
soup = BeautifulSoup(requests.get(url).text, 'html.parser')

I've added a much more reliable .find method ( key : value)

whole_section = soup.find('div',{'class':'caselawcontent searchable-content'})


the_title = whole_section.center.h2
#e.g. Missouri Court of Appeals,Southern District,Division Two.
second_title = whole_section.center.h3.p
#e.g. STATE of Missouri, Plaintiff-Appellant v....
number_text = whole_section.center.h3.next_sibling.next_sibling
#e.g.
the_date = number_text.next_sibling.next_sibling
#authors
authors = whole_section.center.next_sibling
para = whole_section.findAll('p')[1:]
#Because we don't want the paragraph h3.p.
# we could aslso do findAll('p',recursive=False) doesnt pickup children

Basically, I've dissected this whole tree as for the Paragraphs (e.g. Main text, the var para), you'll have to loop print(authors)

# and you can add .text (e.g. print(authors.text) to get the text without the tag. 
# or a simple function that returns only the text 
def rettext(something):
    return something.text
#Usage: print(rettext(authorts)) 
like image 180
innicoder Avatar answered Oct 22 '22 04:10

innicoder


Try printing doctext.text. This will get rid of all the HTML tags for you.

from bs4 import BeautifulSoup
cases = []

with open('filteredcasesdoc.txt', 'r') as openfile1: 
    for url in openfile1:
        # GET the HTML page as a string, with HTML tags  
        rulingpage = requests.get(url).text 

        soup = BeautifulSoup(rulingpage, 'html.parser') 
        # find the part of the HTML page we want, as an HTML element
        doctext = soup.find('div', class_='caselawcontent searchable-content')
        print(doctext.text) # now we have the inner HTML as a string
        cases.append(doctext.text) # do something useful with this !
like image 3
Theo Avatar answered Oct 22 '22 02:10

Theo