我希望该方法计算2D数组poängInsamling中的所有最大值/最小值。每个domare(= judge)给所有deltagare(= members)一个值。我想删除每个maximum/minimumdeltagare值。我现在拥有的代码仅在2个或更少成员时才有效。

这是我得到的:

        for (int x = 0; x < deltagare; x++) {
            for (int y = 0; y < domare; y++) {
                if (poängInsamling[y][x] == -1) {
                    poängInsamling[y][x] = 0;
                    break;
                }
            }
        }
    return poängInsamling;
}


在此先感谢您,我已经尝试修复了几个小时。

编辑:int[][]PoängInsamling = int[domare][deltagare];

如果所有deltagare具有相同的值,则它们的所有点均以0结尾。

最佳答案

您正在搜索整个2D数组,以便删除所有成员的最低和最高价值,但是您只想删除当前成员的最低和最高价值。如果您跟踪具有最大值/最小值的索引,则可以消除第二个循环。

例如,对于最大值(最小值将类似):

    int max = -1;
    int maxIndex = -1;
    for(int i = 0; i < deltagare; i++) {
        max = -1; // clear the max value when starting with a new member
        maxIndex = -1;
        for(int t = 0; t < domare; t++) {
            if (poängInsamling[t][i] > max) {
                max = poängInsamling[t][i];
                maxIndex = t;
            }
        }
        // clear the max value for the current member
        poängInsamling[maxIndex][i] = -1;
    }

09-12 13:25