小编典典

打印出数组中的元素,最后一个单词除外,元素之间用逗号隔开

java

我正在从数组列表中打印出元素,并且希望除最后一个单词之外的每个单词之间都有一个逗号。现在我正在这样做:

for (String s : arrayListWords) {
    System.out.print(s + ", ");
}

如您所知,它将打印出这样的文字:one, two, three, four,问题是最后一个逗号,我该如何解决?所有答案表示赞赏!


阅读 244

收藏
2020-09-08

共1个答案

小编典典

如果第一个单词存在,请自行打印。然后先将模式打印为逗号,然后再打印下一个元素。

if (arrayListWords.length >= 1) {
    System.out.print(arrayListWords[0]);
}

// note that i starts at 1, since we already printed the element at index 0
for (int i = 1; i < arrayListWords.length, i++) { 
     System.out.print(", " + arrayListWords[i]);
}

使用时List,最好使用Iterator

// assume String
Iterator<String> it = arrayListWords.iterator();
if (it.hasNext()) {
    System.out.print(it.next());
}
while (it.hasNext()) {
    System.out.print(", " + it.next());
}
2020-09-08