只保留 JavaScript 中字符串中的重复单词
我们需要编写一个 JavaScript 函数,该函数接受一个字符串并返回一个包含原始字符串中出现多次的单词的新字符串。
例如
如果输入字符串为 -
const str = 'this is a is this string that contains that some repeating words';
输出
那么输出应为 -
const output = 'this is that';
让我们针对此函数编写代码 -
示例
代码如下 -
const str = 'this is a is this string that contains that some repeating words'; const keepDuplicateWords = str => { const strArr = str.split(" "); const res = []; for(let i = 0; i < strArr.length; i++){ if(strArr.indexOf(strArr[i]) !== strArr.lastIndexOf(strArr[i])){ if(!res.includes(strArr[i])){ res.push(strArr[i]); }; }; }; return res.join(" "); }; console.log(keepDuplicateWords(str));
输出
控制台中的输出 -
this is that
廣告