JavaScript 用带有重复元素的字符串构造一个数组
我们必须编写一个函数,该函数使用字符串中的元素创建一个数组,直到达到限制。假设有一个字符串“aba”和限制 5 −
string = "aba" and limit = 5 will give new array ["a","b","a","a","b"]
让我们编写此函数的代码 −
示例
const string = 'Hello'; const limit = 15; const createStringArray = (string, limit) => { const arr = []; for(let i = 0; i < limit; i++){ const index = i % string.length; arr.push(string[index]); }; return arr; }; console.log(createStringArray(string, limit)); console.log(createStringArray('California', 5)); console.log(createStringArray('California', 25));
输出
控制台中的输出将为 −
[ 'H', 'e', 'l', 'l', 'o', 'H', 'e', 'l', 'l', 'o', 'H', 'e', 'l', 'l', 'o' ] [ 'C', 'a', 'l', 'i', 'f' ] [ 'C', 'a', 'l', 'i', 'f', 'o', 'r', 'n', 'i', 'a', 'C', 'a', 'l', 'i', 'f', 'o', 'r', 'n', 'i', 'a', 'C', 'a', 'l', 'i', 'f' ]
广告