在 JavaScript 中实现自定义函数,如 String.prototype.split() 函数
问题
我们需要编写一个基于String类的原型对象的JavaScript函数。
它应该接受一个字符串分隔符作为唯一的参数(尽管原始的split函数需要两个参数)。我们的函数应该返回一个由分隔符分隔和拆分的字符串部分组成的数组。
示例
以下是代码-
const str = 'this is some string'; String.prototype.customSplit = (sep = '') => { const res = []; let temp = ''; for(let i = 0; i < str.length; i++){ const el = str[i]; if(el === sep || sep === '' && temp){ res.push(temp); temp = ''; }; if(el !== sep){ temp += el; } }; if(temp){ res.push(temp); temp = ''; }; return res; }; console.log(str.customSplit(' '));输出结果
[ 'this', 'is', 'some', 'string' ]