对于 CGI,使用print()
要求为输出设置正确的编解码器。print()
写入sys.stdout
并sys.stdout
使用特定编码打开,如何确定取决于平台,并且可能因脚本运行方式而异。将脚本作为 CGI 脚本运行意味着您几乎不知道将使用什么编码。
在您的情况下,Web 服务器已将文本输出的语言环境设置为 UTF-8 以外的固定编码。Python 使用该语言环境设置以该编码生成输出,并且如果没有<meta>
标头,您的浏览器会正确猜测该编码(或服务器已在 Content-Type 标头中传达了它),但是<meta>
您告诉它使用不同的标头编码,一种对生成的数据不正确的编码。
sys.stdout.buffer
在显式编码为 UTF-8 后,您可以直接写入。制作一个辅助函数以使其更容易:
import sys
def enc_print(string='', encoding='utf8'):
sys.stdout.buffer.write(string.encode(encoding) + b'\n')
enc_print("Content-type:text/html")
enc_print()
enc_print("""
<!doctype html>
<html>
<head>
<meta charset="UTF-8">
</head>
<body>
şöğıçü
</body>
</html>
""")
另一种方法是替换为使用您需要的编解码器sys.stdout
的新io.TextIOWrapper()
对象:
import sys
import io
def set_output_encoding(codec, errors='strict'):
sys.stdout = io.TextIOWrapper(
sys.stdout.detach(), errors=errors,
line_buffering=sys.stdout.line_buffering)
set_output_encoding('utf8')
print("Content-type:text/html")
print()
print("""
<!doctype html>
<html>
<head></head>
<body>
şöğıçü
</body>
</html>
""")