该方法应该接受两个列表,然后将它们放入一个新列表中,然后返回该列表。
例如,对于 (1, 2, 3, 4, 5) 的第一个列表和 (6, 7, 8, 9, 10, 11, 12) 的第二个列表,alternate(list1, list2) 的调用应该返回一个包含 (1, 6, 2, 7, 3, 8, 4, 9, 5, 10, 11, 12) 的列表。
我有它的工作,但它看起来一团糟,有没有办法简化事情?
public static List<Integer> alternate(List<Integer> list1, List<Integer> list2) {
List<Integer> template = new LinkedList<Integer>();
int i = 0; // counts where list1 goes into new list
int j = 1; // counts where list2 goes into new list
if (list1.size() != 0) { // If first list isn't empty
for (Integer elem1: list1) { // copies all of first list into new list.
template.add(i, elem1);
i++;
}
for(Integer elem2: list2) { // copies every element into new list into every othe element
if (j < template.size()) { // if j is not at point where first list ends.
template.add(j, elem2);
j+=2;
} else {
template.add(j, elem2); // if j is at point where first list ends.
j++;
}
}
} else {
for (Integer elem1: list2) { // If first list is empty
template.add(i, elem1);
i++;
}
}
return template;
}