如果数组中的两个字符串的长度短于 x,如何将它们合并
2022-11-05
107
我试图将“my”、“I”、“for”等单词与相邻单词组合在一起。
我在想,我可以检查每个单词的长度,例如,如果它短于 4,则将它们与下一个单词连接起来。
假设我有字符串
'about my projects'
:
我所做的是将其拆分成像这样的单独单词
const words = string.split(" ");
一旦我有了这些单词,我就会像这样循环遍历它们
for (let i = 0; i <= words.length; i++) {
if (words[1 + i].length <= 3) {
const joinedWords = words[1] + " " + words[1 + i];
formattedWords.push(joinedWords);
}
}
我使用 [1 + i] 的原因是我希望字符串的第一个单词始终是一个单独的单词。
不幸的是,尝试这个不起作用,控制台抛出一个错误:Uncaught TypeError:无法读取未定义的属性(读取“length”)
有没有办法将短于 4 个字符的单词与下一个单词连接起来像这样的单词?
input ['about', 'my', 'projects'];
output ['about', 'my projects'];
input ['something','for','something','for'];
output ['something'.'for something'.'for'];
3个回答
function joinWords(inp) {
const res = []
const arr = inp.split(' ')
res.push(arr[0])
let skipNext = false
for (let i=1; i<=arr.length-1; i++) {
if(skipNext) {
skipNext = true
continue
}
if (i < arr.length-1 && arr[i].length <= 3) {
const joined = arr[i] + " " + arr[i + 1]
res.push(joined)
skipNext = true
} else {
res.push(arr[i])
}
}
return res
}
console.log(joinWords('about my projects'))
console.log(joinWords('something for something for'))
symlink
2022-11-05
使用
for
循环和
continue
在条件匹配时跳过迭代
function combine(data){
const res = [];
let temp;
for (let i = 0; i < data.length; i++) {
if (i === temp) continue;
if (data[i].length < 4 && i !== data.length - 1) {
res.push(data[i] + " " + data[i + 1]);
temp = i + 1;
} else {
res.push(data[i]);
}
}
return res;
}
console.log(combine(["about", "my", "projects"]));
console.log(combine(['something','for','something','for']));
KcH
2022-11-05
在此版本中,我将继续连接单词,只要它们少于 4 个字符:
const wrds=['about','a','b','c','and','my', 'projects','and','other','hot','and','great','things'];
console.log(wrds.reduce((a,c,i,arr)=>{
if (a.last) {
a.last=a.last+' '+c;
if (c.length>3){
a.push(a.last);
a.last=null;
}
}
else if(c.length>3||i==arr.length-1){
a.push(c);
}
else a.last=c;
return a;
},[]));
Carsten Massmann
2022-11-05