Python HTTP Server/ Client: удаленное конечное закрытое соединение без ошибки ответа
Я сделал простой HTTP-сервер с помощью BaseHTTPRequestHandler. Проблема в том, что когда я хочу опубликовать некоторые данные, используя запросы от клиента, я получаю ConnectionError. Я сделал простой запрос из документации запросов lib. Также интересно, что HTTP-сервер будет получать данные от клиента и печатать их на консоли. Я не понимаю, как это возможно.
клиент:
def post_data():
"""Client method"""
json_data = {
'sender': 'User',
'receiver': 'MY_SERVER',
'message': 'Hello server! Sending some data.'}
data_headers = {'Content-type': 'application/json', 'Accept': 'text/plain'}
data_payload = json.dumps(json_data)
try:
post = requests.post('http://localhost:8080/post', data=data_payload,
headers=data_headers)
print(post.status_code)
except ConnectionError as e:
print("CONNECTION ERROR: ")
print(e)
HTTP-сервера:
def do_POST(self):
"""Server method"""
self.send_response(200)
print("Receiving new data ...")
content_length = int(self.headers['Content-Length'])
post_data = self.rfile.read(content_length)
print(post_data)
сервер результат:
C:UsersmypcProjectsPythonFileshttpserver>python server.py
Fri Jan 5 01:09:12 2018: HTTP Server started on port 8080.
127.0.0.1 - - [05/Jan/2018 01:09:21] "POST /post HTTP/1.1" 200 -
Receiving new data ...
b'{"sender": "User", "receiver": "MY_SERVER", "message": "Hello server! Sending some data."}'
клиент результат:
C:UsersmypcProjectsPythonFileshttpserver>python client.py
CONNECTION ERROR:
('Connection aborted.', RemoteDisconnected('Remote end closed connection without response',))
C:UsersmypcProjectsPythonFileshttpserver>
ошибка без исключения блок:
Traceback (most recent call last):
File "C:Python36libsite-packagesurllib3connectionpool.py", line 601, in urlopen
chunked=chunked)
File "C:Python36libsite-packagesurllib3connectionpool.py", line 387, in _make_request
six.raise_from(e, None)
File "<string>", line 2, in raise_from
File "C:Python36libsite-packagesurllib3connectionpool.py", line 383, in _make_request
httplib_response = conn.getresponse()
File "C:Python36libhttpclient.py", line 1331, in getresponse
response.begin()
File "C:Python36libhttpclient.py", line 297, in begin
version, status, reason = self._read_status()
File "C:Python36libhttpclient.py", line 266, in _read_status
raise RemoteDisconnected("Remote end closed connection without"
http.client.RemoteDisconnected: Remote end closed connection without response
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "C:Python36libsite-packagesrequestsadapters.py", line 440, in send
timeout=timeout
File "C:Python36libsite-packagesurllib3connectionpool.py", line 639, in urlopen
_stacktrace=sys.exc_info()[2])
File "C:Python36libsite-packagesurllib3utilretry.py", line 357, in increment
raise six.reraise(type(error), error, _stacktrace)
File "C:Python36libsite-packagesurllib3packagessix.py", line 685, in reraise
raise value.with_traceback(tb)
File "C:Python36libsite-packagesurllib3connectionpool.py", line 601, in urlopen
chunked=chunked)
File "C:Python36libsite-packagesurllib3connectionpool.py", line 387, in _make_request
six.raise_from(e, None)
File "<string>", line 2, in raise_from
File "C:Python36libsite-packagesurllib3connectionpool.py", line 383, in _make_request
httplib_response = conn.getresponse()
File "C:Python36libhttpclient.py", line 1331, in getresponse
response.begin()
File "C:Python36libhttpclient.py", line 297, in begin
version, status, reason = self._read_status()
File "C:Python36libhttpclient.py", line 266, in _read_status
raise RemoteDisconnected("Remote end closed connection without"
urllib3.exceptions.ProtocolError: ('Connection aborted.', RemoteDisconnected('Remote end closed connection without response',))
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "client.py", line 137, in <module>
start_parser()
File "client.py", line 101, in start_parser
send_requests(args.get, args.post)
File "client.py", line 51, in send_requests
post_data()
File "client.py", line 129, in post_data
headers=data_headers)
File "C:Python36libsite-packagesrequestsapi.py", line 112, in post
return request('post', url, data=data, json=json, **kwargs)
File "C:Python36libsite-packagesrequestsapi.py", line 58, in request
return session.request(method=method, url=url, **kwargs)
File "C:Python36libsite-packagesrequestssessions.py", line 508, in request
resp = self.send(prep, **send_kwargs)
File "C:Python36libsite-packagesrequestssessions.py", line 618, in send
r = adapter.send(request, **kwargs)
File "C:Python36libsite-packagesrequestsadapters.py", line 490, in send
raise ConnectionError(err, request=request)
requests.exceptions.ConnectionError: ('Connection aborted.', RemoteDisconnected('Remote end closed connection without response',))
1 ответов
похоже, что сервер завершает соединение рано без отправки полного ответа. Я просмотрел документы, и я думаю, что это проблема (курсив добавлен):
send_response(code, message=None)
добавляет заголовок ответа заголовки буферизуют и регистрируют принятый запрос. Строке ответа HTTP записывается во внутренний буфер, за которым следуют сервер и дата заголовки. Значения для этих двух заголовков берутся из version_string() и date_time_string() методы, соответственно. Если сервер не намерен отправлять другие заголовки с помощью метод send_header (), затем send_response() должен сопровождаться end_headers() вызова.
изменено в версии 3.3: заголовки хранятся во внутреннем буфере и end_headers () необходимо вызвать явно.
поэтому вам, вероятно, просто нужно добавить вызов end_headers
. Если бы вы читали старый пример (до Python 3.3), это не было бы необходимый.