计算长方体网格上的点

Calculate dots on cuboid's grid

我的数学技能有问题。所以我需要计算每个轴的特定数量的点的位置(x,y,z)。例如拿这张图

final double gapX = lengthX / dotsPerXAxis;
final double gapY = lengthY / dotsPerYAxis;
final double gapZ = lengthZ / dotsPerZAxis;

for (BlockFace blockFace : BlockHandler.DIRECT_RELATIVES) {
    final DecimalVector3D minCorner = new DecimalVector3D(
        blockFace.getModX(),
        blockFace.getModY(),
        blockFace.getModZ()
    );

for (int x = 0; x < dotsPerXAxis || x == 0; x++) {
    for (int y = 0; y < dotsPerYAxis; y++) {
        for (int z = 0; z < dotsPerZAxis; z++) {

        }
    }
}

我现在的问题是:如何遍历除长方体内的点之外的所有点并计算它们的位置并将它们放入 ImmutableList 中?

如果一个点的至少一个坐标为零或dotsPerZAxis,则需要处理该点。

所以设置标志 - 如果 X 坐标在面上,如果 Y 坐标在面上。如果未设置两个标志 - 仅获取第一个和最后一个 Z 坐标,否则遍历所有 Z 坐标。

未勾选Java:

for (int x = 0; x < dotsPerXAxis; x++) {
    bool atX = (x == 0) || (x == dotsPerXAxis - 1);
    for (int y = 0; y < dotsPerYAxis; y++) {
        bool atY = (y == 0) || (y == dotsPerYAxis - 1);

        int zstep = (atX || atY)? 1: dotsPerZAxis - 1;

        for (int z = 0; z < dotsPerZAxis; z+=zstep) {
           treat(x,y,z)
        }
    }
}

Ideone Python working code as proof-of-concept 给出 n^3 - (n-2)^3 个点(n=3 为 26 个表面点,n=4 为 56 个,n=5 为 98 个)

在 MBo 的帮助下我弄明白了

    for (BlockFace blockFace : BlockHandler.DIRECT_RELATIVES) {
        for (int x = 0; x < dotsPerXAxis || x == 0 || x == dotsPerXAxis - 1; x++) {
            for (int y = 0; y < dotsPerXAxis || y == 0 || y == dotsPerYAxis - 1; y++) {
                for (int z = 0; z < dotsPerXAxis || z == 0;
                     z += (y == 0 || y == dotsPerYAxis - 1) || (x == 0 || x == dotsPerXAxis - 1) ? 1 :
                         dotsPerZAxis - 1) {

                    results.add(new DecimalVector3D(
                        x,
                        y,
                        z
                    ));
                }
            }
        }
    }