使用循环将多个对象添加到ArrayList中,更改一个对象后所有对象都会更新

问题描述

我一直在使用for循环来创建新的Graph对象并将其添加到ArrayList中,以便在我的代码中的其他地方使用,但是当我打印列表时,其中的所有Graph对象都是相同的。

对其余对象之一进行编辑。当我使用调试器检查正在发生的事情时,每个newGraph都有一个不同的ID,所以我不知道为什么会这样。代码如下。我已经包含了足够的内容,以便可以测试。

public class Graph {
    int[][] A;
    public static final int graphSize = 5;
  
    public Graph() {
        A = new int[graphSize][graphSize];
    }
    public Graph(Graph another) {
        this.A = another.A;
    }

//This is where the problem is,everything else is so it would run if tested.
    public List<Graph> getAllPossibleGraphs(int playerTurn) {
        List<Graph> possibleGraphs = new ArrayList<>();
        for (int i = 0; i < graphSize; i++) {
            for (int j = 0; j < graphSize; j ++) {
                if (i != j && 0 == this.A[i][j]) {
                    Graph newGraph = new Graph(this);
                    newGraph.insertLine(i,j,playerTurn);
                    possibleGraphs.add(newGraph);
                }
            }
        }
        return possibleGraphs;
    }

    public void insertLine(int node1,int node2,int player) {
            this.A[node1][node2] = player;
            this.A[node2][node1] = player;
    }
    public void printGraph() {
        for (int i = 0; i < Graph.graphSize; i++) {
            for (int j = 0; j < Graph.graphSize; j++) {
                System.out.print(this.A[i][j] + ",");
            }
            System.out.println("");
        }
    }
}
public class Test {
    public static void main(String[] args) {
        Graph G = new Graph();
        G.insertLine(0,1,1);
        List<Graph> testList = G.getAllPossibleGraphs(2);
        testList.forEach(graph -> graph.printGraph());
    }
}

因此,当我打印出列表时,我得到的所有图如下:

0,2,

任何帮助或建议都将不胜感激,因为我一个多星期以来一直在努力寻求解决方案,这让我发疯。

解决方法

您正在共享A,但可能需要一个副本。诚然,我不理解逻辑(太热了)。

public Graph(Graph another) {
    this();
    for (int i = 0; i < Graph.graphSize; i++) {
        for (int j = 0; j < Graph.graphSize; j++) {
            A[i][j] = another.A[i][j];
        }
    }
}