0

我有以下类型的 ArrayList:

class Move
{
    int from, to;
}

from 属性总是有一个值。如果未设置 to 属性,则它的值为 -1。我有以下数组:

int[][] history = new int[50][50];

其中尺寸对应于移动类的“从”和“到”。在我的搜索功能中,根据我需要做的某些条件:

List<move> moves = board.getMoves();
for (int i = 0; i < moves.size(); i++)
    history[move.from][move.to]++;

因为 move.to 也可能是-1,我应该增加二维数组 1 的维度然后执行:

history[move.from+1][move.to+]++;

另外,基于上面的移动列表和历史数组,我需要根据相应历史索引的计数器对移动列表进行降序排序。

这可能吗?

4

3 回答 3

1

您可以将Collections.sort(List, Comparator)与 Comparator 的实现一起使用,它将按照您的意愿进行排序。

于 2013-03-22T09:50:54.603 回答
0

是的,您可以制作使用历史数组的比较器。例如,我根据另一个数组对我的 int 列表进行排序counts

public static void main(String[] args) {
    List<Integer> list = new ArrayList<>();
    list.addAll(Arrays.asList(new Integer[]{0, 1, 2, 3, 4, 5}));
    final int[] counts = new int[] {3, 4, 1, 7, 0, 1};

    Collections.sort(list, new Comparator<Integer>() {

        @Override
        public int compare(Integer arg0, Integer arg1) {
            return counts[arg1] - counts[arg0];
        }
    });

    System.out.println(list);
}

输出:[3, 1, 0, 2, 5, 4]

compare会是这样的:

@Override
public int compare(Move move0, Move move2) {
    return history[move1.from+1][move1.to] - history[move0.from+1][move0.to];
}
于 2013-03-22T09:56:07.563 回答
0

您可以将历史记录设置为 HashMap 或单独的类以使这更容易。但是因为您还希望能够根据频率对历史进行排序,所以我会推荐一个 History 类:

class Move {

   int from, to;

   @Override
   public int hashCode() {
      return from + (to * 100);
   }

   @Override
   public boolean equals(Object o) {
      return (o instanceof Move
              && ((Move) o).from == from
              && ((Move) o).to == to);
   }
}

class History extends Move implements Comparable<History> {

   int frequency;

   public History(Move m) {
      from = m.from;
      to = m.to;
      frequency = 1;
   }

   public void increment() {
      frequency += 1;
   }

   public int compareTo(History h) {
      // to be able to sort it in a TreeSet descending on frequency
      // note that it is not resorted if you change frequencies, so 
      // build the set, and then convert it to a TreeSet afterwards.
      return (frequency == h.frequency) ? 1 : (h.frequency - frequency);
   }
}

然后创建一个 HashMap 来快速填充历史,并将其转换成 TreeSet 进行排序:

  List<Move> moves = board.getMoves();
  HashMap<History, History> fillTable = new HashMap<History, History>();
  for (Move m : moves) {
     History h = fillTable.get(m);
     if (h == null) {
        h = new History(m);
        fillTable.put(h, h);
     } else {
        h.increment();
     }
  }
  TreeSet<History> sorted = new TreeSet<History>(fillTable.values());
  .... ready to use
于 2013-03-22T10:50:38.073 回答