I'm trying to write my own version of MergeSort and wrote the following class:
import java.util.List;
import java.util.LinkedList;
import java.lang.Comparable;
public class Sort<E extends Comparable<E>> {
  private List<E> list;
  public void setList(List<E> inList) {list = inList;}
  public List<E> getList() {return list;}
  public List<E> mergeSortRec(List<E> inList) {
    if (inList == null) return null;
    if (inList.size() < 2) return inList;
    int mdpt = inList.size()/2;
    List<E> left = inList.subList(0,mdpt);
    List<E> right = inList.subList(mdpt,inList.size());
    left = mergeSortRec(left);
    right = mergeSortRec(right);
    List<E> out = new LinkedList<E>();
    while (left.size()>0 && right.size()>0) {
      if (left.get(0).compareTo(right.get(0)) < 0) {
        out.add(left.remove(0));
      } else {
        out.add(right.remove(0));
      }
    }
    if (left.size()==0) {
      while (right.size()>0) {
        out.add(right.remove(0));
      }
    } else {
      while (left.size()>0) {
        out.add(left.remove(0));
      }
    }
    return out;
  }
  public void mergeSort() {list = mergeSortRec(list);}
}
However, the following main class,
import java.util.LinkedList;
public class Main {
  public static void main(String[] args) {
    System.out.println("Input list:");
    LinkedList<Integer> lst = new LinkedList<Integer>();
    lst.add(3);
    lst.add(1);
    lst.add(5);
    Sort<Integer> s = new Sort<Integer>();
    s.setList(lst);
    s.mergeSort();
  }
}
causes the following error,
Exception in thread "main" java.util.ConcurrentModificationException
    at java.util.SubList.checkForComodification(AbstractList.java:769)
    at java.util.SubList.size(AbstractList.java:645)
    at Sort.mergeSortRec(Sort.java:69)
    at Sort.mergeSortRec(Sort.java:59)
    at Sort.mergeSort(Sort.java:79)
    at Main.main(Main.java:12)
After inserting print lines I see that the issue comes from the call to left.size() in if (left.size()==0) {, and I believe it is occurring in the "zeroth level" of the recursive call, that is to say, it's happening when inList is the whole original list, and left is 3 and right is 1,5.  I can't understand why a method call to left would cause an error.  I only dimly grasp how there could be some concurrency issue but I have pretty much no experience with that, and I would think that it would be obviated by the fact that left is the return value of a function and therefore shouldn't be referenced by multiple variables--if that's anything to do with the issue.
 
    