pythonhtmldommako

How can I connect my python script with my HTML file?


Basically I am getting some data from a webpage, and putting it into an array, I want to output the contents of that array into a table in a HTML file. After some research I found that using a mako template might be the best solution, but I don't understand how to use it? Can any one guide me through the steps or offer a better solution to execute this python script and output its result on the web?

import urllib2
import mako
from bs4 import BeautifulSoup as BS

html = urllib2.urlopen("<link-to-web-page>")
soup = BS(html)
data = []


for each_course in soup.findAll('li',{'class':'<class-name>'}):
    inner_text = each_course.text
    data.append(inner_text)


for i in data:
    print (i+"\n")

Solution

  • There are two subproblems in your problem:

    Mako can help you with the first one. For the second one there are different solutions available that depend on your situation.

    Generate HTML

    First you have to decide on a template, that means on the general skeleton in which your data will then be filled in. If you only want to show your data without any further information enigmas answer will work, but if it gets more complicated it is useful to use something as mako. How does a general template look like? Here is a really simple one:

    <html>
    <body>
    Hello world!
    </body>
    </html>
    

    This doesn't do very much. It's just like a single string. So lets get some python in it:

    <html>
    <body>
    ${x}
    </body>
    </html>
    

    This template contains a variable which you will need to provide:

    template = Template(filename="yourtemplate.template") # or how ever you named your template
    print(template.render(x="Hello World!")
    

    You will at least need for loops:

    % for a in [1,2,3]
    ${a}
    % endfor
    

    This is the basic syntax for a loop. Of course you can do more complex things. Imagine mylist is a list of Person instances with a name and a age:

    % for person in mylist
    Name: ${person.name}
    Age: ${person.age}
    % endfor
    

    You can use arbitrary HTML inside of that. Ofcourse mako can do more powerfull things, but a single stackoverflow post is to little space for that. You can read the basic usage and/or Syntax page of the mako language for mor information. But with the here presented structures you should be able to finish your task.

    Serve HTML

    You still need to somehow bring the HTML out to the web or where ever you want it. You have multiple possibilities that depend on what you want:

    Static or dynamic

    Lan or WWW?