ECMAScript 6 入门教程—字符串的扩展
web前端开发
共 1485字,需浏览 3分钟
·
2020-08-29 15:10
\uxxxx
形式表示一个字符,其中xxxx
表示字符的 Unicode 码点。"\u0061"
// "a"
\u0000
~\uFFFF
之间的字符。超出这个范围的字符,必须用两个双字节的形式表示。"\uD842\uDFB7"
// "?"
"\u20BB7"
// " 7"
\u
后面跟上超过0xFFFF
的数值(比如\u20BB7
),JavaScript 会理解成\u20BB+7
。由于\u20BB
是一个不可打印字符,所以只会显示一个空格,后面跟着一个7
。"\u{20BB7}"
// "?"
"\u{41}\u{42}\u{43}"
// "ABC"
let hello = 123;
hell\u{6F} // 123
'\u{1F680}' === '\uD83D\uDE80'
// true
'\z' === 'z' // true
'\172' === 'z' // true
'\x7A' === 'z' // true
'\u007A' === 'z' // true
'\u{7A}' === 'z' // true
2、字符串的遍历器接口
for...of
循环遍历。for (let codePoint of 'foo') {
console.log(codePoint)
}
// "f"
// "o"
// "o"
0xFFFF
的码点,传统的for
循环无法识别这样的码点。let text = String.fromCodePoint(0x20BB7);
for (let i = 0; i < text.length; i++) {
console.log(text[i]);
}
// " "
// " "
for (let i of text) {
console.log(i);
}
// "?"
text
只有一个字符,但是for
循环会认为它包含两个字符(都不可打印),而for...of
循环会正确识别出这一个字符。3、直接输入 U+2028 和 U+2029
\u4e2d
,两者是等价的。'中' === '\u4e2d' // true
U+005C:反斜杠(reverse solidus) U+000D:回车(carriage return) U+2028:行分隔符(line separator) U+2029:段分隔符(paragraph separator) U+000A:换行符(line feed)
\\
或者\u005c
。JSON.parse
解析,就有可能直接报错。const json = '"\u2028"';
JSON.parse(json); // 可能报错
const PS = eval("'\u2029'");
4、JSON.stringify() 的改造
JSON.stringify()
方法有可能返回不符合 UTF-8 标准的字符串。0xD800
到0xDFFF
之间的码点,不能单独使用,必须配对使用。比如,\uD834\uDF06
是两个码点,但是必须放在一起配对使用,代表字符?
。这是为了表示码点大于0xFFFF
的字符的一种变通方法。单独使用\uD834
和\uDFO6
这两个码点是不合法的,或者颠倒顺序也不行,因为\uDF06\uD834
并没有对应的字符。JSON.stringify()
的问题在于,它可能返回0xD800
到0xDFFF
之间的单个码点。JSON.stringify('\u{D834}') // "\u{D834}"
JSON.stringify()
的行为。如果遇到0xD800
到0xDFFF
之间的单个码点,或者不存在的配对形式,它会返回转义字符串,留给应用自己决定下一步的处理。JSON.stringify('\u{D834}') // ""\\uD834""
JSON.stringify('\uDF06\uD834') // ""\\udf06\\ud834""
5、模板字符串
$('#result').append(
'There are ' + basket.count + ' ' +
'items in your basket, ' +
'' + basket.onSale +
' are on sale!'
);
$('#result').append(`
There are <b>${basket.count}b> items
in your basket, <em>${basket.onSale}em>
are on sale!
`);
// 普通字符串
`In JavaScript '\n' is a line-feed.`
// 多行字符串
`In JavaScript this is
not legal.`
console.log(`string text line 1
string text line 2`);
// 字符串中嵌入变量
let name = "Bob", time = "today";
`Hello ${name}, how are you ${time}?`
let greeting = `\`Yo\` World!`;
$('#list').html(`
<ul>
<li>firstli>
<li>secondli>
ul>
`);
标签前面会有一个换行。如果你不想要这个换行,可以使用trim
方法消除它。$('#list').html(`
<ul>
<li>firstli>
<li>secondli>
ul>
`.trim());
${}
之中。function authorize(user, action) {
if (!user.hasPrivilege(action)) {
throw new Error(
// 传统写法为
// 'User '
// + user.name
// + ' is not authorized to do '
// + action
// + '.'
`User ${user.name} is not authorized to do ${action}.`);
}
}
let x = 1;
let y = 2;
`${x} + ${y} = ${x + y}`
// "1 + 2 = 3"
`${x} + ${y * 2} = ${x + y * 2}`
// "1 + 4 = 5"
let obj = {x: 1, y: 2};
`${obj.x + obj.y}`
// "3"
function fn() {
return "Hello World";
}
`foo ${fn()} bar`
// foo Hello World bar
toString
方法。// 变量place没有声明
let msg = `Hello, ${place}`;
// 报错
`Hello ${'World'}`
// "Hello World"
const tmpl = addrs => `
<table>
${addrs.map(addr => `
<tr><td>${addr.first}td>tr>
<tr><td>${addr.last}td>tr>
`).join('')}
table>
`;
const data = [
{ first: '', last: 'Bond' },
{ first: 'Lars', last: '' },
];
console.log(tmpl(data));
//
//
//
//Bond
//
//Lars
//
//
//
let func = (name) => `Hello ${name}!`;
func('Jack') // "Hello Jack!"
6、实例:模板编译
let template = `
<ul>
<% for(let i=0; i < data.supplies.length; i++) { %>
<li><%= data.supplies[i] %>li>
<% } %>
ul>
`;
<%...%>
放置 JavaScript 代码,使用<%= ... %>
输出 JavaScript 表达式。echo('
');
for(let i=0; i < data.supplies.length; i++) {
echo('');
echo(data.supplies[i]);
echo('');
};
echo('');
let evalExpr = /<%=(.+?)%>/g;
let expr = /<%([\s\S]+?)%>/g;
template = template
.replace(evalExpr, '`); \n echo( $1 ); \n echo(`')
.replace(expr, '`); \n $1 \n echo(`');
template = 'echo(`' + template + '`);';
template
封装在一个函数里面返回,就可以了。let script =
`(function parse(data){
let output = "";
function echo(html){
output += html;
}
${ template }
return output;
})`;
return script;
compile
。function compile(template){
const evalExpr = /<%=(.+?)%>/g;
const expr = /<%([\s\S]+?)%>/g;
template = template
.replace(evalExpr, '`); \n echo( $1 ); \n echo(`')
.replace(expr, '`); \n $1 \n echo(`');
template = 'echo(`' + template + '`);';
let script =
`(function parse(data){
let output = "";
function echo(html){
output += html;
}
${ template }
return output;
})`;
return script;
}
compile
函数的用法如下。let parse = eval(compile(template));
div.innerHTML = parse({ supplies: [ "broom", "mop", "cleaner" ] });
//
//- broom
//- mop
//- cleaner
//
7、标签模板
alert`123`
// 等同于
alert(123)
let a = 5;
let b = 10;
tag`Hello ${ a + b } world ${ a * b }`;
// 等同于
tag(['Hello ', ' world ', ''], 15, 50);
tag
,它是一个函数。整个表达式的返回值,就是tag
函数处理模板字符串后的返回值。tag
依次会接收到多个参数。function tag(stringArr, value1, value2){
// ...
}
// 等同于
function tag(stringArr, ...values){
// ...
}
tag
函数的第一个参数是一个数组,该数组的成员是模板字符串中那些没有变量替换的部分,也就是说,变量替换只发生在数组的第一个成员与第二个成员之间、第二个成员与第三个成员之间,以此类推。tag
函数的其他参数,都是模板字符串各个变量被替换后的值。由于本例中,模板字符串含有两个变量,因此tag
会接受到value1
和value2
两个参数。tag
函数所有参数的实际值如下。第一个参数: ['Hello ', ' world ', '']
第二个参数: 15 第三个参数:50
tag
函数实际上以下面的形式调用。tag(['Hello ', ' world ', ''], 15, 50)
tag
函数的代码。下面是tag
函数的一种写法,以及运行结果。let a = 5;
let b = 10;
function tag(s, v1, v2) {
console.log(s[0]);
console.log(s[1]);
console.log(s[2]);
console.log(v1);
console.log(v2);
return "OK";
}
tag`Hello ${ a + b } world ${ a * b}`;
// "Hello "
// " world "
// ""
// 15
// 50
// "OK"
let total = 30;
let msg = passthru`The total is ${total} (${total*1.05} with tax)`;
function passthru(literals) {
let result = '';
let i = 0;
while (i < literals.length) {
result += literals[i++];
if (i < arguments.length) {
result += arguments[i];
}
}
return result;
}
msg // "The total is 30 (31.5 with tax)"
passthru
函数采用 rest 参数的写法如下。function passthru(literals, ...values) {
let output = "";
let index;
for (index = 0; index < values.length; index++) {
output += literals[index] + values[index];
}
output += literals[index]
return output;
}
let message =
SaferHTML`<p>${sender} has sent you a message.p>`;
function SaferHTML(templateData) {
let s = templateData[0];
for (let i = 1; i < arguments.length; i++) {
let arg = String(arguments[i]);
// Escape special characters in the substitution.
s += arg.replace(/&/g, "&")
.replace(/, "<")
.replace(/>/g, ">");
// Don't escape special characters in the template.
s += templateData[i];
}
return s;
}
sender
变量往往是用户提供的,经过SaferHTML
函数处理,里面的特殊字符都会被转义。let sender = ''; // 恶意代码
let message = SaferHTML`<p>${sender} has sent you a message.p>`;
message
//has sent you a message.
i18n`Welcome to ${siteName}, you are visitor number ${visitorNumber}!`
// "欢迎访问xxx,您是第xxxx位访问者!"
// 下面的hashTemplate函数
// 是一个自定义的模板处理函数
let libraryHtml = hashTemplate`
<ul>
#for book in ${myBooks}
<li><i>#{book.title}i> by #{book.author}li>
#end
ul>
`;
jsx`
<div>
<input
ref='input'
onChange='${this.handleChange}'
defaultValue='${this.state.value}' />
${this.state.value}
div>
`
jsx
函数,将一个 DOM 字符串转为 React 对象。你可以在 GitHub 找到jsx
函数的具体实现。java
函数,在 JavaScript 代码之中运行 Java 代码。java`
class HelloWorldApp {
public static void main(String[] args) {
System.out.println("Hello World!"); // Display the string.
}
}
`
HelloWorldApp.main();
raw
属性。console.log`123`
// ["123", raw: Array[1]]
console.log
接受的参数,实际上是一个数组。该数组有一个raw
属性,保存的是转义后的原字符串。tag`First line\nSecond line`
function tag(strings) {
console.log(strings.raw[0]);
// strings.raw[0] 为 "First line\\nSecond line"
// 打印输出 "First line\nSecond line"
}
tag
函数的第一个参数strings
,有一个raw
属性,也指向一个数组。该数组的成员与strings
数组完全一致。比如,strings
数组是["First line\nSecond line"]
,那么strings.raw
数组就是["First line\\nSecond line"]
。两者唯一的区别,就是字符串里面的斜杠都被转义了。比如,strings.raw 数组会将\n
视为\\
和n
两个字符,而不是换行符。这是为了方便取得转义之前的原始模板而设计的。8、模板字符串的限制
function latex(strings) {
// ...
}
let document = latex`
\newcommand{\fun}{\textbf{Fun!}} // 正常工作
\newcommand{\unicode}{\textbf{Unicode!}} // 报错
\newcommand{\xerxes}{\textbf{King!}} // 报错
Breve over the h goes \u{h}ere // 报错
`
document
内嵌的模板字符串,对于 LaTEX 语言来说完全是合法的,但是 JavaScript 引擎会报错。原因就在于字符串的转义。\u00FF
和\u{42}
当作 Unicode 字符进行转义,所以\unicode
解析时报错;而\x56
会被当作十六进制字符串转义,所以\xerxes
会报错。也就是说,\u
和\x
在 LaTEX 里面有特殊含义,但是 JavaScript 将它们转义了。undefined
,而不是报错,并且从raw
属性上面可以得到原始字符串。function tag(strs) {
strs[0] === undefined
strs.raw[0] === "\\unicode and \\u{55}";
}
tag`\unicode and \u{55}`
undefined
,但是raw
属性依然可以得到原始字符串,因此tag
函数还是可以对原字符串进行处理。let bad = `bad escape sequence: \unicode`; // 报
评论