0

我正在尝试用数组列表解决约瑟夫斯问题。我注意到即使我在它被杀死后删除并索引它仍然出现在我的输出中。

为什么应该删除的 2 又出现了?

以下是我当前的输出:

There are 7 people in the circle.
1, 2, 3, 4, 5, 6, 7
2 
2, 4 
2, 4, 1 
2, 4, 1, 3 
2, 4, 1, 3, 2 
2, 4, 1, 3, 2, 0

You should sit in seat 4 if you want to survive!
public class project1 {
  public static int Josephus (int n, int k){
    ArrayList<Integer> circle = new ArrayList<Integer>();
    for (int p = 1; p <= n; p++) {
      circle.add(p);                                                              
    }
    System.out.println("There are " + n + " people in the circle.");
    System.out.println(circle);

    ArrayList<Integer> kill_order = new ArrayList<Integer>();
    for (int index=1; circle.size()!=1; index++){
      if (circle.size() > 1){
        index = (index + k - 1) % circle.size();
        kill_order.add(index);
        circle.remove(index);
        System.out.println(kill_order);
      } else if (circle.size()==1){
        System.out.println("Execution Order: " + kill_order + " ");
        index = 1;
      }
    }
    return circle.get(0);
  }

  public static void main(String[] args) {
    System.out.println("You should sit in seat " + Josephus(7, 2) + " if you want to survive!");
  }
}
4

2 回答 2

0

您第二次看到 2 是因为您将要“杀死”的人的索引而不是值添加到kill_order列表中。

这应该工作:


if (circle.size() > 1){
    index = (index + k - 1) % circle.size();
    kill_order.add(circle.get(index));
    circle.remove(index);
    System.out.println(kill_order);
}
于 2021-02-08T22:22:43.043 回答
0

有两种方法List.remove:remove(int index) 将删除列表中给定索引处的项目,remove(Object o) 将删除第一个等于 o 的对象。

我认为在您的代码中,circle.remove(index);解析为第一个,但您实际上需要第二个。请参阅https://docs.oracle.com/javase/8/docs/api/java/util/List.html

这应该解决这个问题:

circle.remove((Integer)index);
于 2021-02-08T16:18:52.680 回答