-
Notifications
You must be signed in to change notification settings - Fork 14.5k
/
Copy pathtest_utils.py
376 lines (310 loc) · 10.9 KB
/
test_utils.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
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
#
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
from __future__ import annotations
import re
from datetime import datetime
from urllib.parse import parse_qs
from bs4 import BeautifulSoup
from airflow.www import utils
from airflow.www.utils import wrapped_markdown
class TestUtils:
def check_generate_pages_html(
self,
current_page,
total_pages,
window=7,
check_middle=False,
sorting_key=None,
sorting_direction=None,
):
extra_links = 4 # first, prev, next, last
search = "'>\"/><img src=x onerror=alert(1)>"
if sorting_key and sorting_direction:
html_str = utils.generate_pages(
current_page,
total_pages,
search=search,
sorting_key=sorting_key,
sorting_direction=sorting_direction,
)
else:
html_str = utils.generate_pages(current_page, total_pages, search=search)
assert search not in html_str, "The raw search string shouldn't appear in the output"
assert "search=%27%3E%22%2F%3E%3Cimg+src%3Dx+onerror%3Dalert%281%29%3E" in html_str
assert callable(html_str.__html__), "Should return something that is HTML-escaping aware"
dom = BeautifulSoup(html_str, "html.parser")
assert dom is not None
ulist = dom.ul
ulist_items = ulist.find_all("li")
assert min(window, total_pages) + extra_links == len(ulist_items)
page_items = ulist_items[2:-2]
mid = int(len(page_items) / 2)
all_nodes = []
pages = []
if sorting_key and sorting_direction:
last_page = total_pages - 1
if current_page <= mid or total_pages < window:
pages = list(range(0, min(total_pages, window)))
elif mid < current_page < last_page - mid:
pages = list(range(current_page - mid, current_page + mid + 1))
else:
pages = list(range(total_pages - window, last_page + 1))
pages.append(last_page + 1)
pages.sort(reverse=True if sorting_direction == "desc" else False)
for i, item in enumerate(page_items):
a_node = item.a
href_link = a_node["href"]
node_text = a_node.string
all_nodes.append(node_text)
if node_text == str(current_page + 1):
if check_middle:
assert mid == i
assert "javascript:void(0)" == href_link
assert "active" in item["class"]
else:
assert re.search(r"^\?", href_link), "Link is page-relative"
query = parse_qs(href_link[1:])
assert query["page"] == [str(int(node_text) - 1)]
assert query["search"] == [search]
if sorting_key and sorting_direction:
if pages[0] == 0:
pages = pages[1:]
pages = list(map(lambda x: str(x), pages))
assert pages == all_nodes
def test_generate_pager_current_start(self):
self.check_generate_pages_html(current_page=0, total_pages=6)
def test_generate_pager_current_middle(self):
self.check_generate_pages_html(current_page=10, total_pages=20, check_middle=True)
def test_generate_pager_current_end(self):
self.check_generate_pages_html(current_page=38, total_pages=39)
def test_generate_pager_current_start_with_sorting(self):
self.check_generate_pages_html(
current_page=0, total_pages=4, sorting_key="dag_id", sorting_direction="asc"
)
def test_params_no_values(self):
"""Should return an empty string if no params are passed"""
assert "" == utils.get_params()
def test_params_search(self):
assert "search=bash_" == utils.get_params(search="bash_")
def test_params_none_and_zero(self):
query_str = utils.get_params(a=0, b=None, c="true")
# The order won't be consistent, but that doesn't affect behaviour of a browser
pairs = list(sorted(query_str.split("&")))
assert ["a=0", "c=true"] == pairs
def test_params_all(self):
query = utils.get_params(tags=["tag1", "tag2"], status="active", page=3, search="bash_")
assert {
"tags": ["tag1", "tag2"],
"page": ["3"],
"search": ["bash_"],
"status": ["active"],
} == parse_qs(query)
def test_params_escape(self):
assert "search=%27%3E%22%2F%3E%3Cimg+src%3Dx+onerror%3Dalert%281%29%3E" == utils.get_params(
search="'>\"/><img src=x onerror=alert(1)>"
)
def test_state_token(self):
# It's shouldn't possible to set these odd values anymore, but lets
# ensure they are escaped!
html = str(utils.state_token("<script>alert(1)</script>"))
assert "<script>alert(1)</script>" in html
assert "<script>alert(1)</script>" not in html
def test_task_instance_link(self):
from airflow.www.app import cached_app
with cached_app(testing=True).test_request_context():
html = str(
utils.task_instance_link(
{"dag_id": "<a&1>", "task_id": "<b2>", "execution_date": datetime.now()}
)
)
assert "%3Ca%261%3E" in html
assert "%3Cb2%3E" in html
assert "<a&1>" not in html
assert "<b2>" not in html
def test_dag_link(self):
from airflow.www.app import cached_app
with cached_app(testing=True).test_request_context():
html = str(utils.dag_link({"dag_id": "<a&1>", "execution_date": datetime.now()}))
assert "%3Ca%261%3E" in html
assert "<a&1>" not in html
def test_dag_link_when_dag_is_none(self):
"""Test that when there is no dag_id, dag_link does not contain hyperlink"""
from airflow.www.app import cached_app
with cached_app(testing=True).test_request_context():
html = str(utils.dag_link({}))
assert "None" in html
assert "<a href=" not in html
def test_dag_run_link(self):
from airflow.www.app import cached_app
with cached_app(testing=True).test_request_context():
html = str(
utils.dag_run_link({"dag_id": "<a&1>", "run_id": "<b2>", "execution_date": datetime.now()})
)
assert "%3Ca%261%3E" in html
assert "%3Cb2%3E" in html
assert "<a&1>" not in html
assert "<b2>" not in html
class TestAttrRenderer:
def setup_method(self):
self.attr_renderer = utils.get_attr_renderer()
def test_python_callable(self):
def example_callable(unused_self):
print("example")
rendered = self.attr_renderer["python_callable"](example_callable)
assert ""example"" in rendered
def test_python_callable_none(self):
rendered = self.attr_renderer["python_callable"](None)
assert "" == rendered
def test_markdown(self):
markdown = "* foo\n* bar"
rendered = self.attr_renderer["doc_md"](markdown)
assert "<li>foo</li>" in rendered
assert "<li>bar</li>" in rendered
def test_markdown_none(self):
rendered = self.attr_renderer["doc_md"](None)
assert rendered is None
class TestWrappedMarkdown:
def test_wrapped_markdown_with_docstring_curly_braces(self):
rendered = wrapped_markdown("{braces}", css_class="a_class")
assert (
"""<div class="a_class" ><p>{braces}</p>
</div>"""
== rendered
)
def test_wrapped_markdown_with_some_markdown(self):
rendered = wrapped_markdown(
"""*italic*
**bold**
""",
css_class="a_class",
)
assert (
"""<div class="a_class" ><p><em>italic</em>
<strong>bold</strong></p>
</div>"""
== rendered
)
def test_wrapped_markdown_with_table(self):
rendered = wrapped_markdown(
"""
| Job | Duration |
| ----------- | ----------- |
| ETL | 14m |
"""
)
assert (
"""<div class="rich_doc" ><table>
<thead>
<tr>
<th>Job</th>
<th>Duration</th>
</tr>
</thead>
<tbody>
<tr>
<td>ETL</td>
<td>14m</td>
</tr>
</tbody>
</table>
</div>"""
== rendered
)
def test_wrapped_markdown_with_indented_lines(self):
rendered = wrapped_markdown(
"""
# header
1st line
2nd line
"""
)
assert (
"""<div class="rich_doc" ><h1>header</h1>\n<p>1st line\n2nd line</p>
</div>"""
== rendered
)
def test_wrapped_markdown_with_raw_code_block(self):
rendered = wrapped_markdown(
"""\
# Markdown code block
Inline `code` works well.
Code block
does not
respect
newlines
"""
)
assert (
"""<div class="rich_doc" ><h1>Markdown code block</h1>
<p>Inline <code>code</code> works well.</p>
<pre><code>Code block\ndoes not\nrespect\nnewlines\n</code></pre>
</div>"""
== rendered
)
def test_wrapped_markdown_with_nested_list(self):
rendered = wrapped_markdown(
"""
### Docstring with a code block
- And
- A nested list
"""
)
assert (
"""<div class="rich_doc" ><h3>Docstring with a code block</h3>
<ul>
<li>And
<ul>
<li>A nested list</li>
</ul>
</li>
</ul>
</div>"""
== rendered
)
def test_wrapped_markdown_with_collapsible_section(self):
rendered = wrapped_markdown(
"""
# A collapsible section with markdown
<details>
<summary>Click to expand!</summary>
## Heading
1. A numbered
2. list
* With some
* Sub bullets
</details>
"""
)
assert (
"""<div class="rich_doc" ><h1>A collapsible section with markdown</h1>
<details>
<summary>Click to expand!</summary>
<h2>Heading</h2>
<ol>
<li>A numbered</li>
<li>list
<ul>
<li>With some</li>
<li>Sub bullets</li>
</ul>
</li>
</ol>
</details>
</div>"""
== rendered
)