-
Notifications
You must be signed in to change notification settings - Fork 586
/
Copy pathtest_validation.py
200 lines (169 loc) · 7.16 KB
/
test_validation.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
import json
import os
import django.core
from django.apps import apps
from django.conf import settings
from django.test import TestCase
from django.urls import reverse
from django.utils.crypto import get_random_string
from filer.models import File, Folder
from filer.validation import FileValidationError, validate_upload, sanitize_svg
from tests.helpers import create_superuser
class TestValidators(TestCase):
def setUp(self) -> None:
self.superuser = create_superuser()
self.client.login(username='admin', password='secret')
self.folder = Folder.objects.create(name='foo')
def tearDown(self) -> None:
self.folder.delete()
svg_file = """<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "
http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
<svg version="1.1" baseProfile="full" width="50" height="50" xmlns="http://www.w3.org/2000/svg">
<polygon id="triangle" points="0,0 0,50 50,0" fill="#009900"
stroke="#004400"/>
{}
</svg>"""
def test_html_upload_fails(self):
html_file = 'test_file.html'
filename = os.path.join(
settings.FILE_UPLOAD_TEMP_DIR,
html_file
)
with open(filename, 'wb') as fh:
fh.write(b"<html><script>alert('hello filer');</script></html>")
self.assertEqual(File.objects.count(), 0)
with open(filename, 'rb') as fh:
file_obj = django.core.files.File(fh)
url = reverse('admin:filer-ajax_upload', kwargs={'folder_id': self.folder.pk})
post_data = {
'Filename': html_file,
'Filedata': file_obj,
'jsessionid': self.client.session.session_key
}
response = self.client.post(url, post_data)
self.assertContains(response, "HTML upload denied by site security policy")
self.assertEqual(File.objects.count(), 0)
def test_svg_upload_fails(self):
for attack, expected_files in [
("""<a href="javascript: alert('ing');">test</a>""", 0),
('<script>alert(document.domain);</script>', 0),
("""<circle onclick="console.log('test')" cx="300" cy="225" r="100" fill="red"/>""", 0),
("", 1)
]:
svg_file = 'test_file.svg'
filename = os.path.join(
settings.FILE_UPLOAD_TEMP_DIR,
svg_file
)
# create svg file with attack vector
with open(filename, 'w') as fh:
fh.write(self.svg_file.format(attack))
n = File.objects.count()
with open(filename, 'rb') as fh:
file_obj = django.core.files.File(fh)
url = reverse('admin:filer-ajax_upload', kwargs={'folder_id': self.folder.pk})
post_data = {
'Filename': svg_file,
'Filedata': file_obj,
'jsessionid': self.client.session.session_key
}
response = self.client.post(url, post_data)
if expected_files == 0:
self.assertContains(response, "Rejected due to potential cross site scripting vulnerability")
self.assertEqual(File.objects.count(), n + expected_files)
def test_deny_validator(self):
from filer.validation import deny
self.assertRaisesRegex(
FileValidationError,
"HTML upload denied by site security policy",
deny,
"test.html",
None,
None,
"text/html",
)
self.assertRaisesRegex(
FileValidationError,
"MY_FUNNY_EXT upload denied by site security policy",
deny,
"test.my_funny_ext",
None,
None,
"text/html",
)
self.assertRaisesRegex(
FileValidationError,
"Upload denied by site security policy",
deny,
"test",
None,
None,
"text/html",
)
def test_svg_sanitizer(self):
config = apps.get_app_config("filer")
svg_validation = config.FILE_VALIDATORS["image/svg+xml"]
config.FILE_VALIDATORS["image/svg+xml"] = [sanitize_svg]
for attack, disallowed in [
("""<a href="javascript: alert('ing');">test</a>""", "javascript:"),
('<script>alert(document.domain);</script>', "alert"),
("""<circle onclick="console.log('test')" cx="300" cy="225" r="100" fill="red"/>""", "onclick"),
]:
svg_file = 'test_file.svg'
filename = os.path.join(
settings.FILE_UPLOAD_TEMP_DIR,
svg_file
)
# create svg file with attack vector
with open(filename, 'w') as fh:
fh.write(self.svg_file.format(attack))
with open(filename, 'rb') as fh:
file_obj = django.core.files.File(fh)
url = reverse('admin:filer-ajax_upload', kwargs={'folder_id': self.folder.pk})
post_data = {
'Filename': svg_file,
'Filedata': file_obj,
'jsessionid': self.client.session.session_key
}
response = self.client.post(url, post_data)
file_id = json.loads(response.content.decode("utf-8"))["file_id"]
img = File.objects.get(pk=file_id)
content = img.file.file.read().decode("utf-8")
self.assertNotIn(disallowed, content)
config.FILE_VALIDATORS["image/svg+xml"] = svg_validation
class TestWhitelist(TestCase):
def setUp(self) -> None:
self.superuser = create_superuser()
self.client.login(username='admin', password='secret')
self.folder = Folder.objects.create(name='foo')
self.config = apps.get_app_config("filer")
self.MIME_TYPE_WHITELIST = self.config.MIME_TYPE_WHITELIST
def tearDown(self) -> None:
self.folder.delete()
self.config.MIME_TYPE_WHITELIST = self.MIME_TYPE_WHITELIST
def set_whitelist(self, whitelist):
self.config.MIME_TYPE_WHITELIST = whitelist
def test_no_whitelist(self):
self.set_whitelist([])
for i in range(10):
mime_type = get_random_string(6) + "/" + get_random_string(5)
# If this throws an error, the test fails
validate_upload(f"test.{mime_type.split('/')[-1]}", None, None, mime_type)
def test_whitelist(self):
self.set_whitelist(["text/*", "image/x-png"])
expectation = {
"text/plain": "ok",
"text/html": "fail", # OK by whitelist but blocked by html validator
"image/x-png": "ok",
"image/jpeg": "fail",
}
for mime_type, expected_result in expectation.items():
if expected_result == "ok":
try:
validate_upload("test-file", None, None, mime_type)
except FileValidationError:
self.assertFalse(f"Mime type {mime_type} expected to pass")
else:
with self.assertRaises(FileValidationError):
validate_upload("test-file", None, None, mime_type)