JavaScript String.prototype.trim()方法实现polyfill
一些旧版本的浏览器或旧的浏览器本身并不支持新进化的JavaScript的功能。例如,如果你使用的是非常老的浏览器版本,它不支持ES10版本的JavaScript的功能。例如,有些版本的浏览器不支持ES10版本的JavaScript中引入的Array.falt()方法,无法将数组扁平化。
在这种情况下,我们需要实现用户定义的方法来支持旧版本浏览器的该功能。在这里,我们将为String对象的trim()方法实现polyfill。
语法
用户可以按照下面的语法,使用正则表达式实现string.prototype.trim()方法的polyfill。
String.prototype.trim = function (string) {
return str.replace(/^\s+|\s+$/g, "");
}
在上面的语法中,我们使用正则表达式来替换字符串的开头和结尾的空白处。
正则表达式解释
^ -
它是字符串的开始。-
\\
s+` – 它代表一个或多个空格。 -
|
– 它代表 “OR “运算符。 -
\s+$
– 它代表字符串末端的空格。 -
g -
它告诉我们删除所有的匹配。
例子(使用内置的string.trim()方法)
在下面的例子中,我们使用了String对象内置的trim()方法来删除字符串开头和结尾的空白处。
<html>
<body>
<h2>Using the trim() method without polyfill in JavaScript</h2>
<div id = "content"> </div>
<script>
let content = document.getElementById('content');
let str = " This is string with white spaces! ";
content.innerHTML += "The original string is :-" + str + ".<br>";
let trimmed = str.trim();
content.innerHTML += "The trimmed string using trim() method is :-" + str + ".<br>";
</script>
</body>
</html>
例子(实现了string.trim()方法的polyfill)。
在下面的例子中,我们使用正则表达式实现了修剪字符串的polyfill。我们写了一个正则表达式,用一个空字符串替换开头和结尾的空白处。
<html>
<body>
<h2>Using the <i> trim() method with polyfill </i> in JavaScript</h2>
<div id = "content"> </div>
<script>
let content = document.getElementById('content');
String.prototype.trim = function (string) {
let regex = /^\s+|\s+$/g;
return str.replace(regex, "");
}
let str = "Hi, How are you? ";
content.innerHTML += "The original string is :-" + str + ".<br>";
let trimmed = str.trim();
content.innerHTML += "The trimmed string using trim() method is :-" + str + "<br>";
</script>
</body>
</html>
例子
在下面的例子中,我们使用for循环来寻找字符串的第一个和最后一个有效字符的索引。我们创建了一个包含代表空白的不同字符的数组。之后,第一个for循环遍历字符串中的字符,检查不在’空格’数组中的第一个字符,并将该索引存入start变量。此外,它还以同样的方式从最后一个字符中找到第一个有效字符。
最后,我们使用slice()方法得到从’start’开始到’end’结束的子串。
<html>
<body>
<h2>Using the <i> trim() method with polyfill </i> in JavaScript</h2>
<div id = "content"> </div>
<script>
let content = document.getElementById('content');
String.prototype.trim = function () {
const spaces = ["\s", "\t", "
", " ", "", "\u3000"];
let start = 0;
let end = this.length - 1;
// get the first index of the valid character from the start
for (let m = 0; m < this.length; m++) {
if (!spaces.includes(this[m])) {
start = m;
break;
}
}
// get the first index of valid characters from the last
for (let n = this.length - 1; n > -1; n--) {
if (!spaces.includes(this[n])) {
end = n;
break;
}
}
// slice the string
return this.slice(start, end + 1);
}
let str = " Hi, How are you? ";
content.innerHTML += "The original string is :-" + str + ".<br>";
let trimmed = str.trim();
content.innerHTML += "The trimmed string using trim() method is :-" + str + "<br>";
</script>
</body>
</html>
用户在本教程中学习了如何实现string.trim()方法的polyfill。我们已经看到了实现trim()方法的polyfill的两种方法。第一种方法是使用正则表达式和替换()方法。第二种方法是幼稚的方法,使用for循环、slice()和include()方法。