可以将美丽的汤输出发送到浏览器吗?

时间:2014-09-07 01:11:31

标签: python html browser beautifulsoup html-parsing

我最近刚刚介绍过python的新手,但我拥有大部分的php经验。使用HTML时(不出意外),php支持的一件事是echo语句将HTML输出到浏览器。这使您可以使用内置的浏览器开发工具,如firebug。有没有办法在使用美丽的汤等工具时将输出python / django从命令行重新路由到浏览器?理想情况下,每次运行代码都会打开一个新的浏览器选项卡。

1 个答案:

答案 0 :(得分:5)

如果您使用的是Django,则可以在视图中render输出BeautifulSoup

from django.http import HttpResponse
from django.template import Context, Template

def my_view(request):
    # some logic

    template = Template(data)
    context = Context({})  # you can provide a context if needed
    return HttpResponse(template.render(context))

其中dataBeautifulSoup的HTML输出。


另一种选择是使用Python的Basic HTTP server并提供您拥有的HTML:

from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer

PORT_NUMBER = 8080
DATA = '<h1>test</h1>'  # supposed to come from BeautifulSoup

class MyHandler(BaseHTTPRequestHandler):
    def do_GET(self):
        self.send_response(200)
        self.send_header('Content-type', 'text/html')
        self.end_headers()
        self.wfile.write(DATA)
        return


try:
    server = HTTPServer(('', PORT_NUMBER), MyHandler)
    print 'Started httpserver on port ', PORT_NUMBER
    server.serve_forever()
except KeyboardInterrupt:
    print '^C received, shutting down the web server'
    server.socket.close()

另一种选择是使用selenium,打开about:blank页面并相应地设置body代码innerHTML。换句话说,这会激活一个浏览器,其中包含正文中提供的HTML内容:

from selenium import webdriver

driver = webdriver.Firefox()  # can be webdriver.Chrome()
driver.get("about:blank")

data = '<h1>test</h1>'  # supposed to come from BeautifulSoup
driver.execute_script('document.body.innerHTML = "{html}";'.format(html=data))

屏幕截图(来自Chrome):

enter image description here


并且,您始终可以选择将BeautifulSoup的输出保存到HTML文件中,然后使用webbrowser模块(使用file://.. url格式)打开它。

另见其他选项:

希望有所帮助。