使用JSON.decode
这种带有显著的缺点,你必须知道的:
- 您必须将字符串用双引号引起来
- 许多字符不受支持,必须自己转义。例如,通过以下任到的
JSON.decode
(在双引号包裹它们之后)会出错,即使这些都是有效的:\\n
,\n
,\\0
,a"a
- 它不支持十六进制转义:
\\x45
- 它不支持Unicode代码点序列:
\\u{045}
还有其他警告。从本质上讲,JSON.decode
用于此目的是一种黑客行为,并且无法像您一直期望的那样工作。您应该坚持使用该JSON
库来处理JSON,而不是字符串操作。
最近,我本人遇到了这个问题,想要一个功能强大的解码器,所以我最终自己写了一个。它是完整且经过全面测试的,可在这里找到:https : //github.com/iansan5653/unraw。它尽可能地模仿JavaScript标准。
说明:
源代码大约有250行,因此在这里我将不包括所有内容,但是本质上,它使用以下正则表达式查找所有转义序列,然后使用parseInt(string, 16)
对它们进行解析以解码以16为底的数字,然后String.fromCodePoint(number)
获取相应的字符:
/\\(?:(\\)|x([\s\S]{0,2})|u(\{[^}]*\}?)|u([\s\S]{4})\\u([^{][\s\S]{0,3})|u([\s\S]{0,4})|([0-3]?[0-7]{1,2})|([\s\S])|$)/g
已注释(注意:此正则表达式与所有转义序列匹配,包括无效的转义序列。如果字符串在JS中引发错误,则在我的库中引发错误[即,'\x!!'
将出错]):
/
\\ # All escape sequences start with a backslash
(?: # Starts a group of 'or' statements
(\\) # If a second backslash is encountered, stop there (it's an escaped slash)
| # or
x([\s\S]{0,2}) # Match valid hexadecimal sequences
| # or
u(\{[^}]*\}?) # Match valid code point sequences
| # or
u([\s\S]{4})\\u([^{][\s\S]{0,3}) # Match surrogate code points which get parsed together
| # or
u([\s\S]{0,4}) # Match non-surrogate Unicode sequences
| # or
([0-3]?[0-7]{1,2}) # Match deprecated octal sequences
| # or
([\s\S]) # Match anything else ('.' doesn't match newlines)
| # or
$ # Match the end of the string
) # End the group of 'or' statements
/g # Match as many instances as there are
例
使用该库:
import unraw from "unraw";
let step1 = unraw('http\\u00253A\\u00252F\\u00252Fexample.com');
let step2 = decodeURIComponent(step1);