[python] 뷰티플 스프로 속성 값 추출

웹 페이지의 특정 “입력”태그에서 단일 “값”속성의 내용을 추출하려고합니다. 다음 코드를 사용합니다.

import urllib
f = urllib.urlopen("http://58.68.130.147")
s = f.read()
f.close()

from BeautifulSoup import BeautifulStoneSoup
soup = BeautifulStoneSoup(s)

inputTag = soup.findAll(attrs={"name" : "stainfo"})

output = inputTag['value']

print str(output)

TypeError : list indices must be integers, not str

Beautifulsoup 문서에서 나는 문자열이 여기서 문제가되지 않아야한다는 것을 이해하지만 전문가는 없으며 오해했을 수 있습니다.

어떤 제안이라도 대단히 감사합니다! 미리 감사드립니다.



답변

.find_all() 발견 된 모든 요소의 목록을 반환하므로 :

input_tag = soup.find_all(attrs={"name" : "stainfo"})

input_tag목록 (아마도 하나의 요소 만 포함)입니다. 정확히 원하는 것에 따라 다음 중 하나를 수행해야합니다.

 output = input_tag[0]['value']

또는 .find()하나 (첫 번째) 발견 된 요소 만 반환 하는 메서드를 사용 합니다.

 input_tag = soup.find(attrs={"name": "stainfo"})
 output = input_tag['value']


답변

에서 Python 3.x사용 get(attr_name)하는 태그 객체에 간단히 사용 하십시오 find_all.

xmlData = None

with open('conf//test1.xml', 'r') as xmlFile:
    xmlData = xmlFile.read()

xmlDecoded = xmlData

xmlSoup = BeautifulSoup(xmlData, 'html.parser')

repElemList = xmlSoup.find_all('repeatingelement')

for repElem in repElemList:
    print("Processing repElem...")
    repElemID = repElem.get('id')
    repElemName = repElem.get('name')

    print("Attribute id = %s" % repElemID)
    print("Attribute name = %s" % repElemName)

conf//test1.xml다음과 같은 XML 파일에 대해

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<root>
    <singleElement>
        <subElementX>XYZ</subElementX>
    </singleElement>
    <repeatingElement id="11" name="Joe"/>
    <repeatingElement id="12" name="Mary"/>
</root>

인쇄물:

Processing repElem...
Attribute id = 11
Attribute name = Joe
Processing repElem...
Attribute id = 12
Attribute name = Mary


답변

위의 소스에서 여러 속성 값을 검색하려면 findAll및 목록 이해를 사용 하여 필요한 모든 것을 얻을 수 있습니다.

import urllib
f = urllib.urlopen("http://58.68.130.147")
s = f.read()
f.close()

from BeautifulSoup import BeautifulStoneSoup
soup = BeautifulStoneSoup(s)

inputTags = soup.findAll(attrs={"name" : "stainfo"})
### You may be able to do findAll("input", attrs={"name" : "stainfo"})

output = [x["stainfo"] for x in inputTags]

print output
### This will print a list of the values.


답변

실제로 어떤 종류의 태그에 이러한 속성이 있는지 알고 있다고 가정하고 시간을 절약 할 수있는 방법을 제안합니다.

태그 xyz에 “staininfo”라는 속성 튜브가 있다고 가정합니다.

full_tag = soup.findAll("xyz")

그리고 full_tag가 목록이라는 것을 이해하기를 바랍니다.

for each_tag in full_tag:
    staininfo_attrb_value = each_tag["staininfo"]
    print staininfo_attrb_value

따라서 모든 태그 xyz에 대한 staininfo의 모든 attrb 값을 얻을 수 있습니다.


답변

이것을 사용할 수도 있습니다.

import requests
from bs4 import BeautifulSoup
import csv

url = "http://58.68.130.147/"
r = requests.get(url)
data = r.text

soup = BeautifulSoup(data, "html.parser")
get_details = soup.find_all("input", attrs={"name":"stainfo"})

for val in get_details:
    get_val = val["value"]
    print(get_val)


답변

특정 요소의 모든 클래스 속성 값을 얻기 위해 Beautifulsoup 4.8.1과 함께 이것을 사용하고 있습니다.

from bs4 import BeautifulSoup

html = "<td class='val1'/><td col='1'/><td class='val2' />"

bsoup = BeautifulSoup(html, 'html.parser')

for td in bsoup.find_all('td'):
    if td.has_attr('class'):
        print(td['class'][0])

속성 키는 속성에 단일 값만있는 경우에도 목록을 검색한다는 점에 유의해야합니다.


답변