将字符串分成 n 等分 - JavaScript
我们需要编写一个 JavaScript 函数,该函数接收一个字符串和一个数字 n(n 刚好能整除字符串的长度)。我们需要返回一个长度为 n 的字符串数组,其中包含字符串的 n 等分。
让我们为这个函数编写代码 −
示例
const str = 'this is a sample string'; const num = 5; const divideEqual = (str, num) => { const len = str.length / num; const creds = str.split("").reduce((acc, val) => { let { res, currInd } = acc; if(!res[currInd] || res[currInd].length < len){ res[currInd] = (res[currInd] || "") + val; }else{ res[++currInd] = val; }; return { res, currInd }; }, { res: [], currInd: 0 }); return creds.res; }; console.log(divideEqual(str, num));
输出
以下是控制台中的输出 −
[ 'this ', 'is a ', 'sampl', 'e str', 'ing' ]
广告