我正在尝试使用XMLHttpRequest
(使用最近的 Webkit)下载一个二进制文件,并使用这个简单的函数对其内容进行 base64 编码:
function getBinary(file){
var xhr = new XMLHttpRequest();
xhr.open("GET", file, false);
xhr.overrideMimeType("text/plain; charset=x-user-defined");
xhr.send(null);
return xhr.responseText;
}
function base64encode(binary) {
return btoa(unescape(encodeURIComponent(binary)));
}
var binary = getBinary('http://some.tld/sample.pdf');
var base64encoded = base64encode(binary);
作为旁注,以上所有内容都是标准的 Javascript 内容,包括btoa()
和encodeURIComponent()
:https : //developer.mozilla.org/en/DOM/window.btoa
这工作得非常顺利,我什至可以使用 Javascript 解码 base64 内容:
function base64decode(base64) {
return decodeURIComponent(escape(atob(base64)));
}
var decodedBinary = base64decode(base64encoded);
decodedBinary === binary // true
现在,我想使用 Python 解码 base64 编码的内容,它使用一些 JSON 字符串来获取base64encoded
字符串值。天真地这就是我所做的:
import urllib
import base64
# ... retrieving of base64 encoded string through JSON
base64 = "77+9UE5HDQ……………oaCgA="
source_contents = urllib.unquote(base64.b64decode(base64))
destination_file = open(destination, 'wb')
destination_file.write(source_contents)
destination_file.close()
但是生成的文件无效,看起来操作被 UTF-8、编码或我仍然不清楚的东西弄乱了。
如果我尝试在将 UTF-8 内容放入目标文件之前对其进行解码,则会引发错误:
import urllib
import base64
# ... retrieving of base64 encoded string through JSON
base64 = "77+9UE5HDQ……………oaCgA="
source_contents = urllib.unquote(base64.b64decode(base64)).decode('utf-8')
destination_file = open(destination, 'wb')
destination_file.write(source_contents)
destination_file.close()
$ python test.py
// ...
UnicodeEncodeError: 'ascii' codec can't encode character u'\ufffd' in position 0: ordinal not in range(128)
作为旁注,这是同一个文件的两个文本表示的屏幕截图;左边:原件;右边:从 base64 解码字符串创建的:http : //cl.ly/0U3G34110z3c132O2e2x
在尝试重新创建文件时,是否有已知的技巧来规避这些编码问题?您自己将如何实现这一目标?
非常感谢任何帮助或提示:)