我是Python的新手。我正在运行以下简单的Web服务器:
from wsgiref.simple_server import make_server
from io import BytesIO
def message_wall_app(environ, start_response):
output = BytesIO()
status = '200 OK' # HTTP Status
headers = [('Content-type', 'text/html; charset=utf-8')]
start_response(status, headers)
print(b"<h1>Message Wall</h1>",file=output)
## if environ['REQUEST_METHOD'] == 'POST':
## size = int(environ['CONTENT_LENGTH'])
## post_str = environ['wsgi.input'].read(size)
## print(post_str,"<p>", file=output)
## print('<form method="POST">User: <input type="text" '
## 'name="user">Message: <input type="text" '
## 'name="message"><input type="submit" value="Send"></form>',
## file=output)
# The returned object is going to be printed
return [output.getvalue()]
httpd = make_server('', 8000, message_wall_app)
print("Serving on port 8000...")
# Serve until process is killed
httpd.serve_forever()
不幸的是,我收到以下错误消息:
Traceback (most recent call last):
File "C:\Users\xxx\Python36\lib\wsgiref\handlers.py", line 137, in run
self.result = application(self.environ, self.start_response)
File "C:/xxx/Python/message_wall02.py", line 9, in message_wall_app
print("<h1>Message Wall</h1>".encode('ascii'),file=output)
TypeError: a bytes-like object is required, not 'str'....
请提出我在做什么错。谢谢。
答案 0 :(得分:3)
您不能使用print()
来写入二进制文件。 print()
在写入文本文件对象之前将参数转换为str()
。
来自print()
function documentation:
将对象打印到文本流 文件中,以 sep 分隔,然后以 end 分隔。 [...]
所有非关键字参数都像
str()
一样转换为字符串,并写入流中,以 sep 分隔,后跟 end < / em>。
粗体强调我的。请注意,文件对象必须是文本流,而不是二进制流。
要么写一个TextIOWrapper()
object来包装BytesIO()
对象,要么在.write()
对象上调用BytesIO()
以直接写bytes
对象,或者写一个{ {3}}并在最后编码结果字符串值。