This repository was archived by the owner on Jan 13, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 195
/
Copy pathtest_hyper.py
1720 lines (1423 loc) · 54.6 KB
/
test_hyper.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
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
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# -*- coding: utf-8 -*-
import h2.settings
from h2.frame_buffer import FrameBuffer
from h2.connection import ConnectionState
from hyperframe.frame import (
Frame, DataFrame, RstStreamFrame, SettingsFrame, PushPromiseFrame,
WindowUpdateFrame, HeadersFrame, ContinuationFrame, GoAwayFrame,
PingFrame, FRAME_MAX_ALLOWED_LEN
)
from hpack.hpack_compat import Encoder
from hyper.common.connection import HTTPConnection
from hyper.http20.connection import HTTP20Connection
from hyper.http20.response import HTTP20Response, HTTP20Push
from hyper.http20.exceptions import ConnectionError, StreamResetError
from hyper.http20.util import (
combine_repeated_headers, split_repeated_headers, h2_safe_headers
)
from hyper.common.headers import HTTPHeaderMap
from hyper.common.util import to_bytestring, HTTPVersion
from hyper.compat import zlib_compressobj, is_py2, ssl
from hyper.contrib import HTTP20Adapter
import hyper.http20.errors as errors
import errno
import os
import pytest
import socket
import zlib
import brotli
from io import BytesIO
TEST_DIR = os.path.abspath(os.path.dirname(__file__))
TEST_CERTS_DIR = os.path.join(TEST_DIR, 'certs')
CLIENT_PEM_FILE = os.path.join(TEST_CERTS_DIR, 'nopassword.pem')
SERVER_CERT_FILE = os.path.join(TEST_CERTS_DIR, 'server.crt')
def decode_frame(frame_data):
f, length = Frame.parse_frame_header(frame_data[:9])
f.parse_body(memoryview(frame_data[9:9 + length]))
assert 9 + length == len(frame_data)
return f
@pytest.fixture
def frame_buffer():
buffer = FrameBuffer()
buffer.max_frame_size = FRAME_MAX_ALLOWED_LEN
return buffer
class TestHyperConnection(object):
def test_connections_accept_hosts_and_ports(self):
c = HTTP20Connection(host='www.google.com', port=8080)
assert c.host == 'www.google.com'
assert c.port == 8080
assert c.proxy_host is None
def test_connections_can_parse_hosts_and_ports(self):
c = HTTP20Connection('www.google.com:8080')
assert c.host == 'www.google.com'
assert c.port == 8080
assert c.proxy_host is None
def test_connections_accept_proxy_hosts_and_ports(self):
c = HTTP20Connection('www.google.com', proxy_host='localhost:8443')
assert c.host == 'www.google.com'
assert c.proxy_host == 'localhost'
assert c.proxy_port == 8443
def test_connections_can_parse_proxy_hosts_with_userinfo(self):
c = HTTP20Connection('www.google.com',
proxy_host='azAz09!==:fakepaswd@localhost:8443')
# Note that the userinfo part is getting stripped out,
# it's not automatically added as Basic Auth header to
# the proxy_headers! It should be done manually.
assert c.host == 'www.google.com'
assert c.proxy_host == 'localhost'
assert c.proxy_port == 8443
def test_connections_can_parse_proxy_hosts_and_ports(self):
c = HTTP20Connection('www.google.com',
proxy_host='localhost',
proxy_port=8443)
assert c.host == 'www.google.com'
assert c.proxy_host == 'localhost'
assert c.proxy_port == 8443
def test_connections_can_parse_ipv6_hosts_and_ports(self):
c = HTTP20Connection('[abcd:dcba::1234]',
proxy_host='[ffff:aaaa::1]:8443')
assert c.host == 'abcd:dcba::1234'
assert c.port == 443
assert c.proxy_host == 'ffff:aaaa::1'
assert c.proxy_port == 8443
def test_connection_version(self):
c = HTTP20Connection('www.google.com')
assert c.version is HTTPVersion.http20
def test_connection_timeout(self):
c = HTTP20Connection('httpbin.org', timeout=30)
assert c._timeout == 30
def test_connection_tuple_timeout(self):
c = HTTP20Connection('httpbin.org', timeout=(5, 60))
assert c._timeout == (5, 60)
def test_ping(self, frame_buffer):
def data_callback(chunk, **kwargs):
frame_buffer.add_data(chunk)
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
opaque = '00000000'
c.ping(opaque)
frames = list(frame_buffer)
assert len(frames) == 1
f = frames[0]
assert isinstance(f, PingFrame)
assert f.opaque_data == to_bytestring(opaque)
def test_putrequest_establishes_new_stream(self):
c = HTTP20Connection("www.google.com")
stream_id = c.putrequest('GET', '/')
stream = c.streams[stream_id]
assert len(c.streams) == 1
assert c.recent_stream is stream
def test_putrequest_autosets_headers(self):
c = HTTP20Connection("www.google.com")
c.putrequest('GET', '/')
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'https'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
]
def test_putheader_puts_headers(self):
c = HTTP20Connection("www.google.com")
c.putrequest('GET', '/')
c.putheader('name', 'value')
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'https'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
(b'name', b'value'),
]
def test_putheader_replaces_headers(self):
c = HTTP20Connection("www.google.com")
c.putrequest('GET', '/')
c.putheader(':authority', 'www.example.org', replace=True)
c.putheader('name', 'value')
c.putheader('name', 'value2', replace=True)
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'https'),
(b':authority', b'www.example.org'),
(b':path', b'/'),
(b'name', b'value2'),
]
def test_endheaders_sends_data(self, frame_buffer):
def data_callback(chunk, **kwargs):
frame_buffer.add_data(chunk)
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
c.putrequest('GET', '/')
c.endheaders()
frames = list(frame_buffer)
assert len(frames) == 1
f = frames[0]
assert isinstance(f, HeadersFrame)
def test_we_can_send_data_using_endheaders(self, frame_buffer):
def data_callback(chunk, **kwargs):
frame_buffer.add_data(chunk)
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
c.putrequest('GET', '/')
c.endheaders(message_body=b'hello there', final=True)
frames = list(frame_buffer)
assert len(frames) == 2
assert isinstance(frames[0], HeadersFrame)
assert frames[0].flags == set(['END_HEADERS'])
assert isinstance(frames[1], DataFrame)
assert frames[1].data == b'hello there'
assert frames[1].flags == set(['END_STREAM'])
def test_request_correctly_sent_max_chunk(self, frame_buffer):
"""
Test that request correctly sent when data length multiple
max chunk. We check last chunk has a end flag and correct number
of chunks.
"""
def data_callback(chunk, **kwargs):
frame_buffer.add_data(chunk)
# one chunk
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
c.putrequest('GET', '/')
c.endheaders(message_body=b'1'*1024, final=True)
frames = list(frame_buffer)
assert len(frames) == 2
assert isinstance(frames[1], DataFrame)
assert frames[1].flags == set(['END_STREAM'])
# two chunks
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
c.putrequest('GET', '/')
c.endheaders(message_body=b'1' * 2024, final=True)
frames = list(frame_buffer)
assert len(frames) == 3
assert isinstance(frames[1], DataFrame)
assert frames[2].flags == set(['END_STREAM'])
# two chunks with last chunk < 1024
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
c.putrequest('GET', '/')
c.endheaders(message_body=b'1' * 2000, final=True)
frames = list(frame_buffer)
assert len(frames) == 3
assert isinstance(frames[1], DataFrame)
assert frames[2].flags == set(['END_STREAM'])
# no chunks
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._send_cb = data_callback
c.putrequest('GET', '/')
c.endheaders(message_body=b'', final=True)
frames = list(frame_buffer)
assert len(frames) == 1
def test_that_we_correctly_send_over_the_socket(self):
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
c.putrequest('GET', '/')
c.endheaders(message_body=b'hello there', final=True)
# Don't bother testing that the serialization was ok, that should be
# fine.
assert len(sock.queue) == 3
def test_we_can_read_from_the_socket(self):
sock = DummySocket()
sock.buffer = BytesIO(b'\x00\x00\x08\x00\x01\x00\x00\x00\x01testdata')
c = HTTP20Connection('www.google.com')
c._sock = sock
c.putrequest('GET', '/')
c.endheaders()
c._recv_cb()
s = c.recent_stream
assert s.data == [b'testdata']
def test_putrequest_sends_data(self):
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
c.request(
'GET',
'/',
body='hello',
headers={'Content-Type': 'application/json'}
)
# The socket should have received one headers frame and two body
# frames.
assert len(sock.queue) == 3
def test_request_with_utf8_bytes_body(self):
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
body = '你好' if is_py2 else '你好'.encode('utf-8')
c.request('GET', '/', body=body)
def test_request_with_unicode_body(self):
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
body = '你好'.decode('unicode-escape') if is_py2 else '你好'
c.request('GET', '/', body=body)
def test_different_request_headers(self):
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
c.request('GET', '/', body='hello', headers={b'name': b'value'})
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'https'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
(b'name', b'value'),
]
c.request('GET', '/', body='hello', headers={u'name2': u'value2'})
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'https'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
(b'name2', b'value2'),
]
def test_closed_connections_are_reset(self):
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
wm = c.window_manager
c.request('GET', '/')
c.close()
assert c._sock is None
assert not c.streams
assert c.recent_stream is None
assert c.next_stream_id == 1
assert c.window_manager is not wm
with c._conn as conn:
assert conn.state_machine.state == ConnectionState.IDLE
origin_h2_conn = conn
c.close()
assert c._sock is None
assert not c.streams
assert c.recent_stream is None
assert c.next_stream_id == 1
assert c.window_manager is not wm
with c._conn as conn:
assert conn.state_machine.state == ConnectionState.IDLE
assert conn != origin_h2_conn
def test_streams_removed_on_close(self):
# Create content for read from socket
e = Encoder()
h1 = HeadersFrame(1)
h1.data = e.encode([(':status', 200), ('content-type', 'foo/bar')])
h1.flags |= set(['END_HEADERS', 'END_STREAM'])
sock = DummySocket()
sock.buffer = BytesIO(h1.serialize())
c = HTTP20Connection('www.google.com')
c._sock = sock
stream_id = c.request('GET', '/')
# Create reference to current recent_recv_streams set
recent_recv_streams = c.recent_recv_streams
streams = c.streams
resp = c.get_response(stream_id=stream_id)
assert stream_id in recent_recv_streams
assert stream_id in streams
resp.read()
assert stream_id not in recent_recv_streams
assert stream_id not in streams
def test_connection_no_window_update_on_zero_length_data_frame(self):
# Prepare a socket with a data frame in it that has no length.
sock = DummySocket()
sock.buffer = BytesIO(DataFrame(1).serialize())
c = HTTP20Connection('www.google.com')
c._sock = sock
# We open a request here just to allocate a stream, but we throw away
# the frames it sends.
c.request('GET', '/')
sock.queue = []
# Read the frame.
c._recv_cb()
# No frame should have been sent on the connection.
assert len(sock.queue) == 0
def test_streams_are_cleared_from_connections_on_close(self):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Open a request (which creates a stream)
c.request('GET', '/')
# Close the stream.
c.streams[1].close()
# There should be nothing left, but the next stream ID should be
# unchanged.
assert not c.streams
assert c.next_stream_id == 3
def test_streams_raise_error_on_read_after_close(self):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Open a request (which creates a stream)
stream_id = c.request('GET', '/')
# close connection
c.close()
# try to read the stream
with pytest.raises(StreamResetError):
c.get_response(stream_id)
def test_reads_on_remote_close(self):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Open a few requests (which creates a stream)
s1 = c.request('GET', '/')
s2 = c.request('GET', '/')
# simulate state of blocking on read while sock
f = GoAwayFrame(0)
# Set error code to PROTOCOL_ERROR
f.error_code = 1
c._sock.buffer = BytesIO(f.serialize())
# 'Receive' the GOAWAY frame.
# Validate that the spec error name and description are used to throw
# the connection exception.
with pytest.raises(ConnectionError):
c.get_response(s1)
# try to read the stream
with pytest.raises(StreamResetError):
c.get_response(s2)
def test_race_condition_on_socket_close(self):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Open a few requests (which creates a stream)
s1 = c.request('GET', '/')
c.request('GET', '/')
# simulate state of blocking on read while sock
f = GoAwayFrame(0)
# Set error code to PROTOCOL_ERROR
f.error_code = 1
c._sock.buffer = BytesIO(f.serialize())
# 'Receive' the GOAWAY frame.
# Validate that the spec error name and description are used to throw
# the connection exception.
with pytest.raises(ConnectionError):
c.get_response(s1)
# try to read again after close
with pytest.raises(ConnectionError):
c._single_read()
def test_stream_close_behavior(self):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Open a few requests (which creates a stream)
s1 = c.request('GET', '/')
c.request('GET', '/')
# simulate state of blocking on read while sock
f = GoAwayFrame(0)
# Set error code to PROTOCOL_ERROR
f.error_code = 1
c._sock.buffer = BytesIO(f.serialize())
# 'Receive' the GOAWAY frame.
# Validate that the spec error name and description are used to throw
# the connection exception.
with pytest.raises(ConnectionError):
c.get_response(s1)
# try to read again after close
with pytest.raises(ConnectionError):
c._single_read()
def test_read_headers_out_of_order(self):
# If header blocks aren't decoded in the same order they're received,
# regardless of the stream they belong to, the decoder state will
# become corrupted.
e = Encoder()
h1 = HeadersFrame(1)
h1.data = e.encode([(':status', 200), ('content-type', 'foo/bar')])
h1.flags |= set(['END_HEADERS', 'END_STREAM'])
h3 = HeadersFrame(3)
h3.data = e.encode([(':status', 200), ('content-type', 'baz/qux')])
h3.flags |= set(['END_HEADERS', 'END_STREAM'])
sock = DummySocket()
sock.buffer = BytesIO(h1.serialize() + h3.serialize())
c = HTTP20Connection('www.google.com')
c._sock = sock
r1 = c.request('GET', '/a')
r3 = c.request('GET', '/b')
assert c.get_response(r3).headers == HTTPHeaderMap(
[('content-type', 'baz/qux')]
)
assert c.get_response(r1).headers == HTTPHeaderMap(
[('content-type', 'foo/bar')]
)
def test_headers_with_continuation(self):
e = Encoder()
header_data = e.encode([
(':status', 200), ('content-type', 'foo/bar'),
('content-length', '0')
])
h = HeadersFrame(1)
h.data = header_data[0:int(len(header_data) / 2)]
h.flags.add('END_STREAM')
c = ContinuationFrame(1)
c.data = header_data[int(len(header_data) / 2):]
c.flags.add('END_HEADERS')
sock = DummySocket()
sock.buffer = BytesIO(h.serialize() + c.serialize())
c = HTTP20Connection('www.google.com')
c._sock = sock
r = c.request('GET', '/')
assert set(c.get_response(r).headers.iter_raw()) == set(
[(b'content-type', b'foo/bar'), (b'content-length', b'0')]
)
def test_send_tolerate_peer_gone(self):
class ErrorSocket(DummySocket):
def sendall(self, data):
raise socket.error(errno.EPIPE)
c = HTTP20Connection('www.google.com')
c._sock = ErrorSocket()
f = SettingsFrame(0)
with pytest.raises(socket.error):
c._send_cb(f, False)
c._sock = DummySocket()
c._send_cb(f, True) # shouldn't raise an error
def test_connection_window_increments_appropriately(self, frame_buffer):
e = Encoder()
h = HeadersFrame(1)
h.data = e.encode([(':status', 200), ('content-type', 'foo/bar')])
h.flags = set(['END_HEADERS'])
d = DataFrame(1)
d.data = b'hi there sir'
d2 = DataFrame(1)
d2.data = b'hi there sir again'
d2.flags = set(['END_STREAM'])
sock = DummySocket()
sock.buffer = BytesIO(h.serialize() + d.serialize() + d2.serialize())
c = HTTP20Connection('www.google.com')
c._sock = sock
c.window_manager.window_size = 1000
c.window_manager.initial_window_size = 1000
c.request('GET', '/')
resp = c.get_response()
resp.read()
frame_buffer.add_data(b''.join(sock.queue))
queue = list(frame_buffer)
assert len(queue) == 3 # one headers frame, two window update frames.
assert isinstance(queue[1], WindowUpdateFrame)
assert queue[1].window_increment == len(b'hi there sir')
assert isinstance(queue[2], WindowUpdateFrame)
assert queue[2].window_increment == len(b'hi there sir again')
def test_stream_window_increments_appropriately(self, frame_buffer):
e = Encoder()
h = HeadersFrame(1)
h.data = e.encode([(':status', 200), ('content-type', 'foo/bar')])
h.flags = set(['END_HEADERS'])
d = DataFrame(1)
d.data = b'hi there sir'
d2 = DataFrame(1)
d2.data = b'hi there sir again'
sock = DummySocket()
sock.buffer = BytesIO(h.serialize() + d.serialize() + d2.serialize())
c = HTTP20Connection('www.google.com')
c._sock = sock
c.request('GET', '/')
c.streams[1]._in_window_manager.window_size = 1000
c.streams[1]._in_window_manager.initial_window_size = 1000
resp = c.get_response()
resp.read(len(b'hi there sir'))
resp.read(len(b'hi there sir again'))
frame_buffer.add_data(b''.join(sock.queue))
queue = list(frame_buffer)
assert len(queue) == 3 # one headers frame, two window update frames.
assert isinstance(queue[1], WindowUpdateFrame)
assert queue[1].window_increment == len(b'hi there sir')
assert isinstance(queue[2], WindowUpdateFrame)
assert queue[2].window_increment == len(b'hi there sir again')
def test_that_using_proxy_keeps_http_headers_intact(self):
sock = DummySocket()
c = HTTP20Connection(
'www.google.com', secure=False, proxy_host='localhost'
)
c._sock = sock
c.request('GET', '/')
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'http'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
]
def test_proxy_headers_presence_for_insecure_request(self):
sock = DummySocket()
c = HTTP20Connection(
'www.google.com', secure=False, proxy_host='localhost',
proxy_headers={'Proxy-Authorization': 'Basic ==='}
)
c._sock = sock
c.request('GET', '/')
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'http'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
(b'proxy-authorization', b'Basic ==='),
]
def test_proxy_headers_absence_for_secure_request(self):
sock = DummySocket()
c = HTTP20Connection(
'www.google.com', secure=True, proxy_host='localhost',
proxy_headers={'Proxy-Authorization': 'Basic ==='}
)
c._sock = sock
c.request('GET', '/')
s = c.recent_stream
assert list(s.headers.items()) == [
(b':method', b'GET'),
(b':scheme', b'https'),
(b':authority', b'www.google.com'),
(b':path', b'/'),
]
def test_recv_cb_n_times(self):
sock = DummySocket()
sock.can_read = True
c = HTTP20Connection('www.google.com')
c._sock = sock
mutable = {'counter': 0}
def consume_single_frame():
mutable['counter'] += 1
c._single_read = consume_single_frame
c._recv_cb()
assert mutable['counter'] == 10
def test_sending_file(self, frame_buffer):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Send a request that involves uploading a file handle.
with open(__file__, 'rb') as f:
c.request('GET', '/', body=f)
# Get all the frames
frame_buffer.add_data(b''.join(sock.queue))
frames = list(frame_buffer)
# Reconstruct the file from the sent data.
sent_data = b''.join(
f.data for f in frames if isinstance(f, DataFrame)
)
with open(__file__, 'rb') as f:
assert f.read() == sent_data
def test_closing_incomplete_stream(self, frame_buffer):
# Prepare a socket so we can open a stream.
sock = DummySocket()
c = HTTP20Connection('www.google.com')
c._sock = sock
# Send a request that involves uploading some data, but don't finish.
c.putrequest('POST', '/')
c.endheaders(message_body=b'some data', final=False)
# Close the stream.
c.streams[1].close()
# Get all the frames
frame_buffer.add_data(b''.join(sock.queue))
frames = list(frame_buffer)
# The last one should be a RST_STREAM frame.
f = frames[-1]
assert isinstance(f, RstStreamFrame)
assert 1 not in c.streams
def test_incrementing_window_after_close(self):
"""
Hyper does not attempt to increment the flow control window once the
stream is closed.
"""
# For this test, we want to send a response that has three frames at
# the default max frame size (16,384 bytes). That will, on the third
# frame, trigger the processing to increment the flow control window,
# which should then not happen.
f = SettingsFrame(0, settings={h2.settings.INITIAL_WINDOW_SIZE: 100})
c = HTTP20Connection('www.google.com')
c._sock = DummySocket()
c._sock.buffer = BytesIO(f.serialize())
# Open stream 1.
c.request('GET', '/')
# Check what data we've sent right now.
originally_sent_data = c._sock.queue[:]
# Swap out the buffer to get a GoAway frame.
length = 16384
total_length = (3 * 16384) + len(b'some more data')
e = Encoder()
h1 = HeadersFrame(1)
h1.data = e.encode(
[(':status', 200), ('content-length', '%d' % total_length)]
)
h1.flags |= set(['END_HEADERS'])
d1 = DataFrame(1)
d1.data = b'\x00' * length
d2 = d1
d3 = d1
d4 = DataFrame(1)
d4.data = b'some more data'
d4.flags |= set(['END_STREAM'])
buffer = BytesIO(
b''.join(f.serialize() for f in [h1, d1, d2, d3, d4])
)
c._sock.buffer = buffer
# Read the response
resp = c.get_response(stream_id=1)
assert resp.status == 200
assert resp.read() == b''.join(
[b'\x00' * (3 * length), b'some more data']
)
# We should have sent only one extra frame
assert len(originally_sent_data) + 1 == len(c._sock.queue)
class FrameEncoderMixin(object):
def setup_method(self, method):
self.frames = []
self.encoder = Encoder()
self.conn = None
def add_push_frame(self, stream_id, promised_stream_id, headers,
end_block=True):
frame = PushPromiseFrame(stream_id)
frame.promised_stream_id = promised_stream_id
frame.data = self.encoder.encode(headers)
if end_block:
frame.flags.add('END_HEADERS')
self.frames.append(frame)
def add_headers_frame(self, stream_id, headers, end_block=True,
end_stream=False):
frame = HeadersFrame(stream_id)
frame.data = self.encoder.encode(headers)
if end_block:
frame.flags.add('END_HEADERS')
if end_stream:
frame.flags.add('END_STREAM')
self.frames.append(frame)
def add_data_frame(self, stream_id, data, end_stream=False):
frame = DataFrame(stream_id)
frame.data = data
if end_stream:
frame.flags.add('END_STREAM')
self.frames.append(frame)
class TestServerPush(FrameEncoderMixin):
def request(self, enable_push=True):
self.conn = HTTP20Connection('www.google.com', enable_push=enable_push)
self.conn._sock = DummySocket()
self.conn._sock.buffer = BytesIO(
b''.join([frame.serialize() for frame in self.frames])
)
self.conn.request('GET', '/')
def assert_response(self):
self.response = self.conn.get_response()
assert self.response.status == 200
assert dict(self.response.headers) == {b'content-type': [b'text/html']}
def assert_pushes(self):
self.pushes = list(self.conn.get_pushes())
assert len(self.pushes) == 1
assert self.pushes[0].method == b'GET'
assert self.pushes[0].scheme == b'https'
assert self.pushes[0].authority == b'www.google.com'
assert self.pushes[0].path == b'/'
expected_headers = {b'accept-encoding': [b'gzip']}
assert dict(self.pushes[0].request_headers) == expected_headers
def assert_push_response(self):
push_response = self.pushes[0].get_response()
assert push_response.status == 200
assert dict(push_response.headers) == {
b'content-type': [b'application/javascript']
}
assert push_response.read() == b'bar'
def test_promise_before_headers(self):
self.add_push_frame(
1,
2,
[
(':method', 'GET'),
(':path', '/'),
(':authority', 'www.google.com'),
(':scheme', 'https'),
('accept-encoding', 'gzip')
]
)
self.add_headers_frame(
1, [(':status', '200'), ('content-type', 'text/html')]
)
self.add_data_frame(1, b'foo', end_stream=True)
self.add_headers_frame(
2, [(':status', '200'), ('content-type', 'application/javascript')]
)
self.add_data_frame(2, b'bar', end_stream=True)
self.request()
assert len(list(self.conn.get_pushes())) == 0
self.assert_response()
self.assert_pushes()
assert self.response.read() == b'foo'
self.assert_push_response()
def test_promise_after_headers(self):
self.add_headers_frame(
1, [(':status', '200'), ('content-type', 'text/html')]
)
self.add_push_frame(
1,
2,
[
(':method', 'GET'),
(':path', '/'),
(':authority', 'www.google.com'),
(':scheme', 'https'),
('accept-encoding', 'gzip')
]
)
self.add_data_frame(1, b'foo', end_stream=True)
self.add_headers_frame(
2, [(':status', '200'), ('content-type', 'application/javascript')]
)
self.add_data_frame(2, b'bar', end_stream=True)
self.request()
assert len(list(self.conn.get_pushes())) == 0
self.assert_response()
assert self.response.read() == b'foo'
self.assert_pushes()
self.assert_push_response()
def test_promise_after_data(self):
self.add_headers_frame(
1, [(':status', '200'), ('content-type', 'text/html')]
)
self.add_data_frame(1, b'fo')
self.add_push_frame(
1,
2,
[
(':method', 'GET'),
(':path', '/'),
(':authority', 'www.google.com'),
(':scheme', 'https'),
('accept-encoding', 'gzip')
]
)
self.add_data_frame(1, b'o', end_stream=True)
self.add_headers_frame(
2, [(':status', '200'), ('content-type', 'application/javascript')]
)
self.add_data_frame(2, b'bar', end_stream=True)
self.request()
assert len(list(self.conn.get_pushes())) == 0
self.assert_response()
assert self.response.read() == b'foo'
self.assert_pushes()
self.assert_push_response()
def test_capture_all_promises(self):
self.add_push_frame(
1,
2,
[
(':method', 'GET'),
(':path', '/one'),
(':authority', 'www.google.com'),
(':scheme', 'https'),
('accept-encoding', 'gzip')
]
)
self.add_headers_frame(
1, [(':status', '200'), ('content-type', 'text/html')]
)
self.add_push_frame(
1,
4,
[
(':method', 'GET'),
(':path', '/two'),
(':authority', 'www.google.com'),
(':scheme', 'https'),
('accept-encoding', 'gzip')
]
)
self.add_data_frame(1, b'foo', end_stream=True)
self.add_headers_frame(
4, [(':status', '200'), ('content-type', 'application/javascript')]
)
self.add_headers_frame(
2, [(':status', '200'), ('content-type', 'application/javascript')]
)
self.add_data_frame(4, b'two', end_stream=True)
self.add_data_frame(2, b'one', end_stream=True)