array = ['item1', 'item2', 'item3', 'item4']
output = array.toString()
这让我明白了"item1,item2,item3,item4"
,但我需要"item1, item2, item3, and item4"
用空格和“和”把它变成
我如何构建一个正则表达式过程来执行此操作,而不是子字符串和查找/替换?
这是最好的方法吗?
谢谢!
array = ['item1', 'item2', 'item3', 'item4']
output = array.toString()
这让我明白了"item1,item2,item3,item4"
,但我需要"item1, item2, item3, and item4"
用空格和“和”把它变成
我如何构建一个正则表达式过程来执行此操作,而不是子字符串和查找/替换?
这是最好的方法吗?
谢谢!
试试这个:
var array = ['item1', 'item2', 'item3', 'item4'];
array.push('and ' + array.pop());
var output = array.join(', ');
// output = 'item1, item2, item3, and item4'
编辑:如果你真的想要一个基于正则表达式的解决方案:
var output = array.join(',')
.replace(/([^,]+),/g, '$1, ').replace(/, ([^,]+)$/, ' and $1');
另一个编辑:
这是另一种不会与原始array
变量混淆的非正则表达式方法:
var output = array.slice(0,-1).concat('and ' + array.slice(-1)).join(', ');
这个版本处理了我能想到的所有变化:
function makeList (a) {
if (a.length < 2)
return a[0] || '';
if (a.length === 2)
return a[0] + ' and ' + a[1];
return a.slice (0, -1).join (', ') + ', and ' + a.slice (-1);
}
console.log ([makeList ([]),
makeList (['One']),
makeList (['One', 'Two']),
makeList(['One', 'Two', 'Three']),
makeList(['One', 'Two', 'Three', 'Four'])]);
// Displays : ["", "One", "One and Two", "One, Two, and Three", "One, Two, Three, and Four"]
var output = array.join(", ");
output = outsput.substr(0, output.lastIndexOf(", ") + " and " + output.substr(output.lastIndexOf(" and "));