1

次のような 4x4 配列行列があるとします。

aaaa
abba
abba
aaaa

上記の行列から 3x3 行列を取得し、それを別の 2 次元配列に格納できますか? 3x3 マトリックスには要素が含まれている必要があります

aaa
abb
abb 

同じく

aaa
bba
bba

さらに2つの行列。

これは Arrays.copyOfRange を使用して実行できますか??

編集:他の2つの3x3マトリックスも必要です。

abb
abb
aaa

bba
bba
aaa

4x4 ie の 2x2 マトリックスの要素を渡す場合のように。b の場合、要素を囲む 3x3 マトリックスが得られるはずです。

これは、渡す要素 (ここでは 'b') のインデックスから 1 を引いて i と j の値を取る for ループを使用することで実現できます。その上 ) 。しかし、もっと簡単な方法があるかどうかを知りたいだけです。

4

1 に答える 1

0

System.lang.arrayCopy を使用します。

import java.util.Arrays;

public class ArrayRange {

    public static void main(String[] args) {

        char[][] original = createMatrix(4);

        // copy 3x3 array starting at 1,0
        char[][] subArray = copySubrange(original, 1, 0, 3, 3);

        printArray(original);
        printArray(subArray);
    }

    private static char[][] copySubrange(char[][] source, int x, int y, int width, int height) {
        if (source == null) {
            return null;
        }
        if (source.length == 0) {
            return new char[0][0];
        }
        if (height < 0) {
            throw new IllegalArgumentException("height must be positive");
        }
        if (width < 0) {
            throw new IllegalArgumentException("width must be positive");
        }
        if ((y + height) > source.length) {
            throw new IllegalArgumentException("subrange too high");
        }
        char[][] dest = new char[height][width];
        for (int destY = 0; destY < height; destY++) {
            char[] srcRow = source[(y + destY)];
            if ((x + width) > srcRow.length) {
                throw new IllegalArgumentException("subrange too wide");
            }
            System.arraycopy(srcRow, x, dest[destY], 0, width);
        }
        return dest;
    }

    // Set up a matrix as an array of rows.
    // The y-coordinate is the position of a row in the array.
    // The x-coordinate is the position of an element in a row.
    private static char[][] createMatrix(int size) {
        char[][] original = new char[size][size];
        for (int y = 0; y < original.length; y++) {
            for (int x = 0; x < original[0].length; x++) {
                original[y][x] = (char) (Math.random() * 10 + 48);
            }
        }
        return original;
    }

    private static void printArray(char[][] array) {
        for (int y = 0; y < array.length; y++) {
            System.out.println(Arrays.toString(array[y]));
        }
        System.out.println();
    }
}

出力例:

[0, 7, 4, 3]
[9, 2, 7, 2]
[9, 2, 4, 0]
[9, 1, 5, 9]

[7, 4, 3]
[2, 7, 2]
[2, 4, 0]

編集: 範囲チェックで改善されたコード。

于 2014-12-07T15:01:44.333 に答える