It depends on what you want to do. This code swaps two elements of an array.
void swap(int i, int j, int[] arr) {
  int t = arr[i];
  arr[i] = arr[j];
  arr[j] = t;
}
Something like this swaps the content of two int[] of equal length.
void swap(int[] arr1, int[] arr2) {
  int[] t = arr1.clone();
  System.arraycopy(arr2, 0, arr1, 0, t.length);
  System.arraycopy(t, 0, arr2, 0, t.length);
}
Something like this swaps the content of two BitSet (using the XOR swap algorithm):
void swap(BitSet s1, BitSet s2) {
  s1.xor(s2);
  s2.xor(s1);
  s1.xor(s2);
}
Something like this swaps the x and y fields of some Point class:
void swapXY(Point p) {
  int t = p.x;
  p.x = p.y;
  p.y = t;
}