Facebook JSON 编码错误
Facebook JSON badly encoded
我下载了我的 Facebook Messenger 数据(在您的 Facebook 帐户中,转到 设置, 然后到 您的 Facebook 信息 ,然后 下载您的信息,然后创建一个至少选中 消息 框的文件)以进行一些很酷的统计
但是编码有一个小问题。我不确定,但看起来 Facebook 对这些数据使用了错误的编码。当我用文本编辑器打开它时,我看到类似这样的内容:Rados\u00c5\u0082aw
。当我尝试用 python (UTF-8) 打开它时,我得到 RadosÅ\x82aw
。但是我应该得到:Radosław
.
我的 python 脚本:
text = open(os.path.join(subdir, file), encoding='utf-8')
conversations.append(json.load(text))
我尝试了几种最常见的编码。示例数据是:
{
"sender_name": "Rados\u00c5\u0082aw",
"timestamp": 1524558089,
"content": "No to trzeba ostatnie treningi zrobi\u00c4\u0087 xD",
"type": "Generic"
}
我确实可以确认 Facebook 下载数据编码不正确;一个Mojibake。原始数据是 UTF-8 编码的,但被解码为 Latin -1。我会确保提交错误报告。
同时,您可以通过两种方式修复损坏:
将数据解码为 JSON,然后将任何字符串重新编码为 Latin-1,再次解码为 UTF-8:
>>> import json
>>> data = r'"Rados\u00c5\u0082aw"'
>>> json.loads(data).encode('latin1').decode('utf8')
'Radosław'
加载二进制数据,用最后两个十六进制数字表示的字节替换所有 \u00hh
序列,解码为 UTF-8,然后解码为 JSON:
import re
from functools import partial
fix_mojibake_escapes = partial(
re.compile(rb'\u00([\da-f]{2})').sub,
lambda m: bytes.fromhex(m.group(1).decode()))
with open(os.path.join(subdir, file), 'rb') as binary_data:
repaired = fix_mojibake_escapes(binary_data.read())
data = json.loads(repaired.decode('utf8'))
从您的样本数据中产生:
{'content': 'No to trzeba ostatnie treningi zrobić xD',
'sender_name': 'Radosław',
'timestamp': 1524558089,
'type': 'Generic'}
我解析对象的解决方案使用 parse_hook
callback on load/loads 函数:
import json
def parse_obj(dct):
for key in dct:
dct[key] = dct[key].encode('latin_1').decode('utf-8')
pass
return dct
data = '{"msg": "Ahoj sv\u00c4\u009bte"}'
# String
json.loads(data)
# Out: {'msg': 'Ahoj svÄ\x9bte'}
json.loads(data, object_hook=parse_obj)
# Out: {'msg': 'Ahoj světe'}
# File
with open('/path/to/file.json') as f:
json.load(f, object_hook=parse_obj)
# Out: {'msg': 'Ahoj světe'}
pass
更新:
用字符串解析列表的解决方案不起作用。所以这是更新的解决方案:
import json
def parse_obj(obj):
for key in obj:
if isinstance(obj[key], str):
obj[key] = obj[key].encode('latin_1').decode('utf-8')
elif isinstance(obj[key], list):
obj[key] = list(map(lambda x: x if type(x) != str else x.encode('latin_1').decode('utf-8'), obj[key]))
pass
return obj
基于@Martijn Pieters 的解决方案,我在 Java 中写了类似的东西。
public String getMessengerJson(Path path) throws IOException {
String badlyEncoded = Files.readString(path, StandardCharsets.UTF_8);
String unescaped = unescapeMessenger(badlyEncoded);
byte[] bytes = unescaped.getBytes(StandardCharsets.ISO_8859_1);
String fixed = new String(bytes, StandardCharsets.UTF_8);
return fixed;
}
unescape 方法的灵感来自 org.apache.commons.lang.StringEscapeUtils。
private String unescapeMessenger(String str) {
if (str == null) {
return null;
}
try {
StringWriter writer = new StringWriter(str.length());
unescapeMessenger(writer, str);
return writer.toString();
} catch (IOException ioe) {
// this should never ever happen while writing to a StringWriter
throw new UnhandledException(ioe);
}
}
private void unescapeMessenger(Writer out, String str) throws IOException {
if (out == null) {
throw new IllegalArgumentException("The Writer must not be null");
}
if (str == null) {
return;
}
int sz = str.length();
StrBuilder unicode = new StrBuilder(4);
boolean hadSlash = false;
boolean inUnicode = false;
for (int i = 0; i < sz; i++) {
char ch = str.charAt(i);
if (inUnicode) {
unicode.append(ch);
if (unicode.length() == 4) {
// unicode now contains the four hex digits
// which represents our unicode character
try {
int value = Integer.parseInt(unicode.toString(), 16);
out.write((char) value);
unicode.setLength(0);
inUnicode = false;
hadSlash = false;
} catch (NumberFormatException nfe) {
throw new NestableRuntimeException("Unable to parse unicode value: " + unicode, nfe);
}
}
continue;
}
if (hadSlash) {
hadSlash = false;
if (ch == 'u') {
inUnicode = true;
} else {
out.write("\");
out.write(ch);
}
continue;
} else if (ch == '\') {
hadSlash = true;
continue;
}
out.write(ch);
}
if (hadSlash) {
// then we're in the weird case of a \ at the end of the
// string, let's output it anyway.
out.write('\');
}
}
我想用以下递归代码片段扩展@Geekmoss 的回答,我曾经解码我的 facebook 数据。
import json
def parse_obj(obj):
if isinstance(obj, str):
return obj.encode('latin_1').decode('utf-8')
if isinstance(obj, list):
return [parse_obj(o) for o in obj]
if isinstance(obj, dict):
return {key: parse_obj(item) for key, item in obj.items()}
return obj
decoded_data = parse_obj(json.loads(file))
我注意到这个效果更好,因为您下载的 Facebook 数据可能包含字典列表,在这种情况下,由于 lambda 身份函数,这些字典将被返回 'as is'。
这是一个 command-line 解决方案,使用 jq 和 iconv。在 Linux.
上测试
cat message_1.json | jq . | iconv -f utf8 -t latin1 > m1.json
Facebook 程序员似乎混淆了 Unicode 编码 和 转义序列 的概念,可能是在实现他们自己的临时序列化程序时. Invalid Unicode encodings in Facebook data exports.
中的更多详细信息
试试这个:
import json
import io
class FacebookIO(io.FileIO):
def read(self, size: int = -1) -> bytes:
data: bytes = super(FacebookIO, self).readall()
new_data: bytes = b''
i: int = 0
while i < len(data):
# \u00c4\u0085
# 0123456789ab
if data[i:].startswith(b'\u00'):
u: int = 0
new_char: bytes = b''
while data[i+u:].startswith(b'\u00'):
hex = int(bytes([data[i+u+4], data[i+u+5]]), 16)
new_char = b''.join([new_char, bytes([hex])])
u += 6
char : str = new_char.decode('utf-8')
new_chars: bytes = bytes(json.dumps(char).strip('"'), 'ascii')
new_data += new_chars
i += u
else:
new_data = b''.join([new_data, bytes([data[i]])])
i += 1
return new_data
if __name__ == '__main__':
f = FacebookIO('data.json','rb')
d = json.load(f)
print(d)
这是@Geekmoss 的回答,但适用于 Python 3:
def parse_facebook_json(json_file_path):
def parse_obj(obj):
for key in obj:
if isinstance(obj[key], str):
obj[key] = obj[key].encode('latin_1').decode('utf-8')
elif isinstance(obj[key], list):
obj[key] = list(map(lambda x: x if type(x) != str else x.encode('latin_1').decode('utf-8'), obj[key]))
pass
return obj
with json_file_path.open('rb') as json_file:
return json.load(json_file, object_hook=parse_obj)
# Usage
parse_facebook_json(Path("/.../message_1.json"))
扩展 Martijn 解决方案 #1,我认为它可以导致递归对象处理(它最初确实引导我):
您可以将其应用于 json 对象的整个字符串,如果您不这样做 ensure_ascii
json.dumps(obj, ensure_ascii=False, indent=2).encode('latin-1').decode('utf-8')
然后写入文件什么的。
PS:这应该是对@Martijn 回答的评论:(但我无法添加评论)
这是我针对 Node 17.0.1 的方法,基于 @hotigeftas 递归代码,使用 iconv-lite 包。
import iconv from 'iconv-lite';
function parseObject(object) {
if (typeof object == 'string') {
return iconv.decode(iconv.encode(object, 'latin1'), 'utf8');;
}
if (typeof object == 'object') {
for (let key in object) {
object[key] = parseObject(object[key]);
}
return object;
}
return object;
}
//usage
let file = JSON.parse(fs.readFileSync(fileName));
file = parseObject(file);
我下载了我的 Facebook Messenger 数据(在您的 Facebook 帐户中,转到 设置, 然后到 您的 Facebook 信息 ,然后 下载您的信息,然后创建一个至少选中 消息 框的文件)以进行一些很酷的统计
但是编码有一个小问题。我不确定,但看起来 Facebook 对这些数据使用了错误的编码。当我用文本编辑器打开它时,我看到类似这样的内容:Rados\u00c5\u0082aw
。当我尝试用 python (UTF-8) 打开它时,我得到 RadosÅ\x82aw
。但是我应该得到:Radosław
.
我的 python 脚本:
text = open(os.path.join(subdir, file), encoding='utf-8')
conversations.append(json.load(text))
我尝试了几种最常见的编码。示例数据是:
{
"sender_name": "Rados\u00c5\u0082aw",
"timestamp": 1524558089,
"content": "No to trzeba ostatnie treningi zrobi\u00c4\u0087 xD",
"type": "Generic"
}
我确实可以确认 Facebook 下载数据编码不正确;一个Mojibake。原始数据是 UTF-8 编码的,但被解码为 Latin -1。我会确保提交错误报告。
同时,您可以通过两种方式修复损坏:
将数据解码为 JSON,然后将任何字符串重新编码为 Latin-1,再次解码为 UTF-8:
>>> import json >>> data = r'"Rados\u00c5\u0082aw"' >>> json.loads(data).encode('latin1').decode('utf8') 'Radosław'
加载二进制数据,用最后两个十六进制数字表示的字节替换所有
\u00hh
序列,解码为 UTF-8,然后解码为 JSON:import re from functools import partial fix_mojibake_escapes = partial( re.compile(rb'\u00([\da-f]{2})').sub, lambda m: bytes.fromhex(m.group(1).decode())) with open(os.path.join(subdir, file), 'rb') as binary_data: repaired = fix_mojibake_escapes(binary_data.read()) data = json.loads(repaired.decode('utf8'))
从您的样本数据中产生:
{'content': 'No to trzeba ostatnie treningi zrobić xD', 'sender_name': 'Radosław', 'timestamp': 1524558089, 'type': 'Generic'}
我解析对象的解决方案使用 parse_hook
callback on load/loads 函数:
import json
def parse_obj(dct):
for key in dct:
dct[key] = dct[key].encode('latin_1').decode('utf-8')
pass
return dct
data = '{"msg": "Ahoj sv\u00c4\u009bte"}'
# String
json.loads(data)
# Out: {'msg': 'Ahoj svÄ\x9bte'}
json.loads(data, object_hook=parse_obj)
# Out: {'msg': 'Ahoj světe'}
# File
with open('/path/to/file.json') as f:
json.load(f, object_hook=parse_obj)
# Out: {'msg': 'Ahoj světe'}
pass
更新:
用字符串解析列表的解决方案不起作用。所以这是更新的解决方案:
import json
def parse_obj(obj):
for key in obj:
if isinstance(obj[key], str):
obj[key] = obj[key].encode('latin_1').decode('utf-8')
elif isinstance(obj[key], list):
obj[key] = list(map(lambda x: x if type(x) != str else x.encode('latin_1').decode('utf-8'), obj[key]))
pass
return obj
基于@Martijn Pieters 的解决方案,我在 Java 中写了类似的东西。
public String getMessengerJson(Path path) throws IOException {
String badlyEncoded = Files.readString(path, StandardCharsets.UTF_8);
String unescaped = unescapeMessenger(badlyEncoded);
byte[] bytes = unescaped.getBytes(StandardCharsets.ISO_8859_1);
String fixed = new String(bytes, StandardCharsets.UTF_8);
return fixed;
}
unescape 方法的灵感来自 org.apache.commons.lang.StringEscapeUtils。
private String unescapeMessenger(String str) {
if (str == null) {
return null;
}
try {
StringWriter writer = new StringWriter(str.length());
unescapeMessenger(writer, str);
return writer.toString();
} catch (IOException ioe) {
// this should never ever happen while writing to a StringWriter
throw new UnhandledException(ioe);
}
}
private void unescapeMessenger(Writer out, String str) throws IOException {
if (out == null) {
throw new IllegalArgumentException("The Writer must not be null");
}
if (str == null) {
return;
}
int sz = str.length();
StrBuilder unicode = new StrBuilder(4);
boolean hadSlash = false;
boolean inUnicode = false;
for (int i = 0; i < sz; i++) {
char ch = str.charAt(i);
if (inUnicode) {
unicode.append(ch);
if (unicode.length() == 4) {
// unicode now contains the four hex digits
// which represents our unicode character
try {
int value = Integer.parseInt(unicode.toString(), 16);
out.write((char) value);
unicode.setLength(0);
inUnicode = false;
hadSlash = false;
} catch (NumberFormatException nfe) {
throw new NestableRuntimeException("Unable to parse unicode value: " + unicode, nfe);
}
}
continue;
}
if (hadSlash) {
hadSlash = false;
if (ch == 'u') {
inUnicode = true;
} else {
out.write("\");
out.write(ch);
}
continue;
} else if (ch == '\') {
hadSlash = true;
continue;
}
out.write(ch);
}
if (hadSlash) {
// then we're in the weird case of a \ at the end of the
// string, let's output it anyway.
out.write('\');
}
}
我想用以下递归代码片段扩展@Geekmoss 的回答,我曾经解码我的 facebook 数据。
import json
def parse_obj(obj):
if isinstance(obj, str):
return obj.encode('latin_1').decode('utf-8')
if isinstance(obj, list):
return [parse_obj(o) for o in obj]
if isinstance(obj, dict):
return {key: parse_obj(item) for key, item in obj.items()}
return obj
decoded_data = parse_obj(json.loads(file))
我注意到这个效果更好,因为您下载的 Facebook 数据可能包含字典列表,在这种情况下,由于 lambda 身份函数,这些字典将被返回 'as is'。
这是一个 command-line 解决方案,使用 jq 和 iconv。在 Linux.
上测试cat message_1.json | jq . | iconv -f utf8 -t latin1 > m1.json
Facebook 程序员似乎混淆了 Unicode 编码 和 转义序列 的概念,可能是在实现他们自己的临时序列化程序时. Invalid Unicode encodings in Facebook data exports.
中的更多详细信息试试这个:
import json
import io
class FacebookIO(io.FileIO):
def read(self, size: int = -1) -> bytes:
data: bytes = super(FacebookIO, self).readall()
new_data: bytes = b''
i: int = 0
while i < len(data):
# \u00c4\u0085
# 0123456789ab
if data[i:].startswith(b'\u00'):
u: int = 0
new_char: bytes = b''
while data[i+u:].startswith(b'\u00'):
hex = int(bytes([data[i+u+4], data[i+u+5]]), 16)
new_char = b''.join([new_char, bytes([hex])])
u += 6
char : str = new_char.decode('utf-8')
new_chars: bytes = bytes(json.dumps(char).strip('"'), 'ascii')
new_data += new_chars
i += u
else:
new_data = b''.join([new_data, bytes([data[i]])])
i += 1
return new_data
if __name__ == '__main__':
f = FacebookIO('data.json','rb')
d = json.load(f)
print(d)
这是@Geekmoss 的回答,但适用于 Python 3:
def parse_facebook_json(json_file_path):
def parse_obj(obj):
for key in obj:
if isinstance(obj[key], str):
obj[key] = obj[key].encode('latin_1').decode('utf-8')
elif isinstance(obj[key], list):
obj[key] = list(map(lambda x: x if type(x) != str else x.encode('latin_1').decode('utf-8'), obj[key]))
pass
return obj
with json_file_path.open('rb') as json_file:
return json.load(json_file, object_hook=parse_obj)
# Usage
parse_facebook_json(Path("/.../message_1.json"))
扩展 Martijn 解决方案 #1,我认为它可以导致递归对象处理(它最初确实引导我):
您可以将其应用于 json 对象的整个字符串,如果您不这样做 ensure_ascii
json.dumps(obj, ensure_ascii=False, indent=2).encode('latin-1').decode('utf-8')
然后写入文件什么的。
PS:这应该是对@Martijn 回答的评论:
这是我针对 Node 17.0.1 的方法,基于 @hotigeftas 递归代码,使用 iconv-lite 包。
import iconv from 'iconv-lite';
function parseObject(object) {
if (typeof object == 'string') {
return iconv.decode(iconv.encode(object, 'latin1'), 'utf8');;
}
if (typeof object == 'object') {
for (let key in object) {
object[key] = parseObject(object[key]);
}
return object;
}
return object;
}
//usage
let file = JSON.parse(fs.readFileSync(fileName));
file = parseObject(file);