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 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505
|
import csv
import io
from os.path import dirname
from os.path import join
import pytest
from werkzeug import formparser
from werkzeug.datastructures import MultiDict
from werkzeug.exceptions import RequestEntityTooLarge
from werkzeug.formparser import FormDataParser
from werkzeug.formparser import parse_form_data
from werkzeug.test import Client
from werkzeug.test import create_environ
from werkzeug.wrappers import Request
from werkzeug.wrappers import Response
@Request.application
def form_data_consumer(request):
result_object = request.args["object"]
if result_object == "text":
return Response(repr(request.form["text"]))
f = request.files[result_object]
return Response(
b"\n".join(
(
repr(f.filename).encode("ascii"),
repr(f.name).encode("ascii"),
repr(f.content_type).encode("ascii"),
f.stream.read(),
)
)
)
def get_contents(filename):
with open(filename, "rb") as f:
return f.read()
class TestFormParser:
def test_limiting(self):
data = b"foo=Hello+World&bar=baz"
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="application/x-www-form-urlencoded",
method="POST",
)
req.max_content_length = 400
assert req.form["foo"] == "Hello World"
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="application/x-www-form-urlencoded",
method="POST",
)
req.max_form_memory_size = 7
pytest.raises(RequestEntityTooLarge, lambda: req.form["foo"])
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="application/x-www-form-urlencoded",
method="POST",
)
req.max_form_memory_size = 400
assert req.form["foo"] == "Hello World"
input_stream = io.BytesIO(b"foo=123456")
req = Request.from_values(
input_stream=input_stream,
content_type="application/x-www-form-urlencoded",
method="POST",
)
req.max_content_length = 4
pytest.raises(RequestEntityTooLarge, lambda: req.form["foo"])
# content-length was set, so request could exit early without reading anything
assert input_stream.read() == b"foo=123456"
data = (
b"--foo\r\nContent-Disposition: form-field; name=foo\r\n\r\n"
b"Hello World\r\n"
b"--foo\r\nContent-Disposition: form-field; name=bar\r\n\r\n"
b"bar=baz\r\n--foo--"
)
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
)
req.max_content_length = 400
assert req.form["foo"] == "Hello World"
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
)
req.max_form_memory_size = 7
pytest.raises(RequestEntityTooLarge, lambda: req.form["foo"])
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
)
req.max_form_memory_size = 400
assert req.form["foo"] == "Hello World"
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
)
req.max_form_parts = 1
pytest.raises(RequestEntityTooLarge, lambda: req.form["foo"])
def test_urlencoded_no_max(self) -> None:
r = Request.from_values(method="POST", data={"a": 1, "b": 2})
r.max_form_parts = 1
assert r.form["a"] == "1"
assert r.form["b"] == "2"
def test_urlencoded_silent_decode(self) -> None:
r = Request.from_values(
data=b"\x80",
content_type="application/x-www-form-urlencoded",
method="POST",
)
assert not r.form
def test_missing_multipart_boundary(self):
data = (
b"--foo\r\nContent-Disposition: form-field; name=foo\r\n\r\n"
b"Hello World\r\n"
b"--foo\r\nContent-Disposition: form-field; name=bar\r\n\r\n"
b"bar=baz\r\n--foo--"
)
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data",
method="POST",
)
assert req.form == {}
def test_chunk_split_on_line_break_before_epilogue(self):
data = b"".join(
(
# exactly 64 bytes of header
b"--thirteenbytes\r\n",
b"Content-Disposition: form-data; name=tx3065\r\n\r\n",
# payload that fills 65535 bytes together with the header
b"\n".join([b"\r" * 31] * 2045 + [b"y" * 31]),
# This newline is split by the first chunk
b"\r\n",
# extra payload that also has the final newline split exactly
# at the chunk size.
b"\n".join([b"\r" * 31] * 2047 + [b"x" * 30]),
b"\r\n--thirteenbytes--",
)
)
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=thirteenbytes",
method="POST",
)
assert len(req.form["tx3065"]) == (131072 - 64 - 1)
assert req.form["tx3065"][-1] == "x"
assert req.form["tx3065"][65470:65473] == "y\r\n"
def test_parse_form_data_put_without_content(self):
# A PUT without a Content-Type header returns empty data
# Both rfc1945 and rfc2616 (1.0 and 1.1) say "Any HTTP/[1.0/1.1] message
# containing an entity-body SHOULD include a Content-Type header field
# defining the media type of that body." In the case where either
# headers are omitted, parse_form_data should still work.
env = create_environ("/foo", "http://example.org/", method="PUT")
stream, form, files = formparser.parse_form_data(env)
assert stream.read() == b""
assert len(form) == 0
assert len(files) == 0
def test_parse_form_data_get_without_content(self):
env = create_environ("/foo", "http://example.org/", method="GET")
stream, form, files = formparser.parse_form_data(env)
assert stream.read() == b""
assert len(form) == 0
assert len(files) == 0
def test_parse_form_post_data_trailing_CR(self):
for k in [1, 2]:
sample = b"\0" * 65535 + b"\x0d" * k
with Request.from_values(
data={"foo": (io.BytesIO(sample), "test.txt")}, method="POST"
) as req:
assert req.files["foo"].read() == sample
@pytest.mark.parametrize(
("no_spooled", "size"), ((False, 100), (False, 3000), (True, 100), (True, 3000))
)
def test_default_stream_factory(self, no_spooled, size, monkeypatch):
if no_spooled:
monkeypatch.setattr("werkzeug.formparser.SpooledTemporaryFile", None)
data = b"a,b,c\n" * size
with Request.from_values(
data={"foo": (io.BytesIO(data), "test.txt")}, method="POST"
) as req:
reader = csv.reader(io.TextIOWrapper(req.files["foo"]))
# This fails if file_storage doesn't implement IOBase.
# https://github.com/pallets/werkzeug/issues/1344
# https://github.com/python/cpython/pull/3249
assert sum(1 for _ in reader) == size
def test_parse_bad_content_type(self):
parser = FormDataParser()
assert parser.parse("", "bad-mime-type", 0) == (
"",
MultiDict([]),
MultiDict([]),
)
def test_parse_from_environ(self):
parser = FormDataParser()
stream, _, _ = parser.parse_from_environ({"wsgi.input": ""})
assert stream is not None
# TODO Fix the ResourceErrors, somewhere in here a SpooledTemporaryFile is not
# getting closed. This causes PytestUnraisableExceptionWarning.
class TestMultiPart:
def test_basic(self):
resources = join(dirname(__file__), "multipart")
client = Client(form_data_consumer)
repository = [
(
"firefox3-2png1txt",
"---------------------------186454651713519341951581030105",
[
("anchor.png", "file1", "image/png", "file1.png"),
("application_edit.png", "file2", "image/png", "file2.png"),
],
"example text",
),
(
"firefox3-2pnglongtext",
"---------------------------14904044739787191031754711748",
[
("accept.png", "file1", "image/png", "file1.png"),
("add.png", "file2", "image/png", "file2.png"),
],
"--long text\r\n--with boundary\r\n--lookalikes--",
),
(
"opera8-2png1txt",
"----------zEO9jQKmLc2Cq88c23Dx19",
[
("arrow_branch.png", "file1", "image/png", "file1.png"),
("award_star_bronze_1.png", "file2", "image/png", "file2.png"),
],
"blafasel öäü",
),
(
"webkit3-2png1txt",
"----WebKitFormBoundaryjdSFhcARk8fyGNy6",
[
("gtk-apply.png", "file1", "image/png", "file1.png"),
("gtk-no.png", "file2", "image/png", "file2.png"),
],
"this is another text with ümläüts",
),
(
"ie6-2png1txt",
"---------------------------7d91b03a20128",
[
("file1.png", "file1", "image/x-png", "file1.png"),
("file2.png", "file2", "image/x-png", "file2.png"),
],
"ie6 sucks :-/",
),
]
for name, boundary, files, text in repository:
folder = join(resources, name)
data = get_contents(join(folder, "request.http"))
for filename, field, content_type, fsname in files:
with client.post(
f"/?object={field}",
data=data,
content_type=f'multipart/form-data; boundary="{boundary}"',
content_length=len(data),
) as response:
lines = response.get_data().split(b"\n", 3)
assert lines[0] == repr(filename).encode("ascii")
assert lines[1] == repr(field).encode("ascii")
assert lines[2] == repr(content_type).encode("ascii")
assert lines[3] == get_contents(join(folder, fsname))
with client.post(
"/?object=text",
data=data,
content_type=f'multipart/form-data; boundary="{boundary}"',
content_length=len(data),
) as response:
assert response.get_data() == repr(text).encode()
@pytest.mark.filterwarnings("ignore::pytest.PytestUnraisableExceptionWarning")
def test_ie7_unc_path(self):
client = Client(form_data_consumer)
data_file = join(dirname(__file__), "multipart", "ie7_full_path_request.http")
data = get_contents(data_file)
boundary = "---------------------------7da36d1b4a0164"
with client.post(
"/?object=cb_file_upload_multiple",
data=data,
content_type=f'multipart/form-data; boundary="{boundary}"',
content_length=len(data),
) as response:
lines = response.get_data().split(b"\n", 3)
assert lines[0] == b"'Sellersburg Town Council Meeting 02-22-2010doc.doc'"
def test_end_of_file(self):
# This test looks innocent but it was actually timing out in
# the Werkzeug 0.5 release version (#394)
data = (
b"--foo\r\n"
b'Content-Disposition: form-data; name="test"; filename="test.txt"\r\n'
b"Content-Type: text/plain\r\n\r\n"
b"file contents and no end"
)
with Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
) as data:
assert not data.files
assert not data.form
def test_file_no_content_type(self):
data = (
b"--foo\r\n"
b'Content-Disposition: form-data; name="test"; filename="test.txt"\r\n\r\n'
b"file contents\r\n--foo--"
)
with Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
) as data:
assert data.files["test"].filename == "test.txt"
assert data.files["test"].read() == b"file contents"
def test_extra_newline(self):
# this test looks innocent but it was actually timing out in
# the Werkzeug 0.5 release version (#394)
data = (
b"\r\n\r\n--foo\r\n"
b'Content-Disposition: form-data; name="foo"\r\n\r\n'
b"a string\r\n"
b"--foo--"
)
data = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
)
assert not data.files
assert data.form["foo"] == "a string"
def test_headers(self):
data = (
b"--foo\r\n"
b'Content-Disposition: form-data; name="foo"; filename="foo.txt"\r\n'
b"X-Custom-Header: blah\r\n"
b"Content-Type: text/plain; charset=utf-8\r\n\r\n"
b"file contents, just the contents\r\n"
b"--foo--"
)
with Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
) as req:
foo = req.files["foo"]
assert foo.mimetype == "text/plain"
assert foo.mimetype_params == {"charset": "utf-8"}
assert foo.headers["content-type"] == foo.content_type
assert foo.content_type == "text/plain; charset=utf-8"
assert foo.headers["x-custom-header"] == "blah"
@pytest.mark.parametrize("ending", [b"\n", b"\r", b"\r\n"])
def test_nonstandard_line_endings(self, ending: bytes):
data = ending.join(
(
b"--foo",
b"Content-Disposition: form-data; name=foo",
b"",
b"this is just bar",
b"--foo",
b"Content-Disposition: form-data; name=bar",
b"",
b"blafasel",
b"--foo--",
)
)
req = Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
)
assert req.form["foo"] == "this is just bar"
assert req.form["bar"] == "blafasel"
def test_failures(self):
def parse_multipart(stream, boundary, content_length):
parser = formparser.MultiPartParser(content_length)
return parser.parse(stream, boundary, content_length)
data = b"--foo\r\n\r\nHello World\r\n--foo--"
pytest.raises(ValueError, parse_multipart, io.BytesIO(data), b"foo", len(data))
data = (
b"--foo\r\nContent-Disposition: form-field; name=foo\r\n\r\nHello World\r\n"
)
pytest.raises(ValueError, parse_multipart, io.BytesIO(data), b"foo", len(data))
def test_empty_multipart(self):
environ = {}
data = b"--boundary--"
environ["REQUEST_METHOD"] = "POST"
environ["CONTENT_TYPE"] = "multipart/form-data; boundary=boundary"
environ["CONTENT_LENGTH"] = str(len(data))
environ["wsgi.input"] = io.BytesIO(data)
stream, form, files = parse_form_data(environ, silent=False)
rv = stream.read()
assert rv == b""
assert form == MultiDict()
assert files == MultiDict()
class TestMultiPartParser:
def test_constructor_not_pass_stream_factory_and_cls(self):
parser = formparser.MultiPartParser()
assert parser.stream_factory is formparser.default_stream_factory
assert parser.cls is MultiDict
def test_constructor_pass_stream_factory_and_cls(self):
def stream_factory():
pass
parser = formparser.MultiPartParser(stream_factory=stream_factory, cls=dict)
assert parser.stream_factory is stream_factory
assert parser.cls is dict
def test_file_rfc2231_filename_continuations(self):
data = (
b"--foo\r\n"
b"Content-Type: text/plain; charset=utf-8\r\n"
b"Content-Disposition: form-data; name=rfc2231;\r\n"
b" filename*0*=ascii''a%20b%20;\r\n"
b" filename*1*=c%20d%20;\r\n"
b' filename*2="e f.txt"\r\n\r\n'
b"file contents\r\n--foo--"
)
with Request.from_values(
input_stream=io.BytesIO(data),
content_length=len(data),
content_type="multipart/form-data; boundary=foo",
method="POST",
) as request:
assert request.files["rfc2231"].filename == "a b c d e f.txt"
assert request.files["rfc2231"].read() == b"file contents"
def test_multipart_max_form_memory_size() -> None:
"""max_form_memory_size is tracked across multiple data events."""
data = b"--bound\r\nContent-Disposition: form-field; name=a\r\n\r\n"
data += b"a" * 15 + b"\r\n--bound--"
# The buffer size is less than the max size, so multiple data events will be
# returned. The field size is greater than the max.
parser = formparser.MultiPartParser(max_form_memory_size=10, buffer_size=5)
with pytest.raises(RequestEntityTooLarge):
parser.parse(io.BytesIO(data), b"bound", None)
|