-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path069.Html_Page.py
67 lines (50 loc) · 1.8 KB
/
069.Html_Page.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
class Tag:
def __init__(self, name, contents):
self.start_tag = "<{}>".format(name)
self.end_tag = "</{}>".format(name)
self.contents = contents
def __str__(self):
return "{0.start_tag}{0.contents}{0.end_tag}".format(self)
def display(self, file=None):
print(self, file=file)
class DocType(Tag):
def __init__(self):
super(DocType, self).__init__('!DOCTYPE html', '')
self.end_tag = ''
class Head(Tag):
def __init__(self, title=None):
super(Head, self).__init__('head', '')
if title:
self._title_tag = Tag('title', title)
self.contents = str(self._title_tag)
class Body(Tag):
def __init__(self):
super(Body, self).__init__('body', '')
self._body_contents = []
def add_tag(self, name, contents):
new_tag = Tag(name, contents)
self._body_contents.append(new_tag)
def display(self, file=None):
for tag in self._body_contents:
self.contents += str(tag)
super().display(file=file)
class HtmlDoc:
def __init__(self, title=None):
self._doc_type = DocType()
self._head = Head(title)
self._body = Body()
def add_tag(self, name, contents):
self._body.add_tag(name, contents)
def display(self, file=None):
self._doc_type.display(file=file)
print('<html>', file=file)
self._head.display(file=file)
self._body.display(file=file)
print('</html>', file=file)
if __name__ == "__main__":
my_page = HtmlDoc("HTML Python Program")
my_page.add_tag('h1', 'Main Heading')
my_page.add_tag('h2', 'Sub Heading')
my_page.add_tag('p', 'This is a paragraph that will appear on the page')
with open('Test.html', 'w') as test_doc:
my_page.display(file=test_doc)