You can use this method to read matrix data from file. This method returns a 2d array of bytes containing zeroes and ones.
public static void main(String[] args) throws IOException {
    byte[][] matrix = getMatrixFromFile("matrix.txt");
    for (int i = 0; i < matrix.length; i++) {
        for (int j = 0; j < matrix[i].length; j++) {
            System.out.print(matrix[i][j] + ((j + 1) == matrix[i].length ? "" : " "));
        }
        System.out.println();
    }
}
public static byte[][] getMatrixFromFile(String filename) throws IOException {
    List<String> lines = Files.readAllLines(Paths.get(filename));
    int size = Byte.parseByte(lines.get(0));
    byte[][] matrix = new byte[size][size];
    for (int i = 1; i < lines.size(); i++) {
        String[] nums = lines.get(i).split(" ");
        for (int j = 0; j < nums.length; j++) {
            matrix[i - 1][j] = Byte.parseByte(nums[j]);
        }
    }
    return matrix;
}
Here I am assuming the file will contain data for one matrix, like following, but my code can easily be extended to read data for multiple matrices and return a list of 2d byte array.
4
0 1 1 0
1 1 1 1 
1 0 0 0 
1 1 0 1