如何在python中编写和保存html文件?

How to write and save html file in python?

这就是我知道如何写和保存它的方法

1
2
3
Html_file= open"(filename","w")
Html_file.write()
Html_file.close

但是,如果我想写这么长的代码,我该如何保存到文件中:

1
2
3
4
5
6
7
8
9
10
11
12
13
   1   <table border=1>
   2     <tr>
   3       <th>Number</th>
   4       <th>Square</th>
   5     </tr>
   6     <indent>
   7     <% for i in range(10): %>
   8       <tr>
   9       <td><%= i %></td>
   10      <td><%= i**2 %></td>
   11      </tr>
   12    </indent>
   13  </table>


可以通过将多行字符串括在三个引号中来创建多行字符串。因此,您可以将HTML存储在一个字符串中,并将该字符串传递给write()

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
html_str ="""
<table border=1>
     <tr>
       <th>Number</th>
       <th>Square</th>
     </tr>
     <indent>
     <% for i in range(10): %>
       <tr>
         <td><%= i %></td>
         <td><%= i**2 %></td>
       </tr>
     </indent>
</table>
"""


Html_file= open("filename","w")
Html_file.write(html_str)
Html_file.close()

您也可以这样做,而不必使用with关键字调用close()。例如:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
# HTML String
html ="""
<table border=1>
     <tr>
       <th>Number</th>
       <th>Square</th>
     </tr>
     <indent>
     <% for i in range(10): %>
       <tr>
         <td><%= i %></td>
         <td><%= i**2 %></td>
       </tr>
     </indent>
</table>
"""


# Write HTML String to file.html
with open("file.html","w") as file:
    file.write(html)

请参阅https://stackoverflow.com/a/11783672/2206251了解有关python中with关键字的更多详细信息。


1
print('<tr><td>%04d</td>' % (i+1), file=Html_file)


您可以尝试:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
colour = ["red","red","green","yellow"]

with open('mypage.html', 'w') as myFile:
    myFile.write('<html>')
    myFile.write('<body>')
    myFile.write('<table>')

    s = '1234567890'
    for i in range(0, len(s), 60):
        myFile.write('<tr><td>%04d</td>' % (i+1));
    for j, k in enumerate(s[i:i+60]):
        myFile.write('<td><font style="background-color:%s;">%s<font></td>' % (colour[j %len(colour)], k));


    myFile.write('</tr>')
    myFile.write('</table>')
    myFile.write('</body>')
    myFile.write('</html>')


您可以使用write()执行此操作:

1
2
3
4
5
#open file with *.html* extension to write html
file= open("my.html","w")
#write then close file
file.write(html)
file.close()


Nurul Akter Towhid答案的较短版本(fp.close是自动的):

1
2
with open("my.html","w") as fp:
   fp.write(html)