美文网首页
JZ-001-二维数组中的查找

JZ-001-二维数组中的查找

作者: 醉舞经阁半卷书 | 来源:发表于2021-10-21 20:38 被阅读0次

二维数组中的查找

题目描述

在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。

题目链接: 二维数组中的查找

代码

public class Jz01 {

    /**
     * 暴力破解法
     *
     * @param target
     * @param array
     * @return
     */
    public static boolean find(int target, int[][] array) {
        for (int i = 0; i < array.length; i++) {
            for (int j = 0; j < array[i].length; j++) {
                if (array[i][j] == target) {
                    return true;
                }
            }
        }
        return false;
    }

    /**
     * 二分查找
     *
     * @param target
     * @param array
     * @return
     */
    public static boolean find1(int target, int[][] array) {
        // 判断数组是否为空
        int row = array.length;
        if (row == 0) {
            return false;
        }
        int column = array[0].length;
        if (column == 0) {
            return false;
        }
        int r = 0, c = column - 1; // 右上角元素,从右上角元素开始查找
        while (r < row && c >= 0) {
            if (target == array[r][c]) {
                return true;
            } else if (target > array[r][c]) {
                ++r;
            } else {
                --c;
            }
        }

        return false;
    }

    public static void main(String[] args) {
        int[][] ex1 = new int[4][4];
        for (int i = 0; i < 4; i++) {
            for (int j = 0; j < 4; j++) {
                ex1[i][j] = i + j;
            }
        }

        System.out.println(find(4, ex1));
        System.out.println(find1(4, ex1));
        System.out.println(find(222, ex1));
        System.out.println(find1(222, ex1));
    }
}

【每日寄语】 不要否定自己,生活明朗,好运在路上。

相关文章

  • JZ-001-二维数组中的查找

    二维数组中的查找 题目描述 在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序,每一列...

  • 算法题

    行列都是有序的二维数组,查找k是否存在【查找法】 二维数组中的查找(行列分别有序数组的二分查找)【递归法】 快速排...

  • 剑指Offer二维数组查找

    剑指Offer二维数组查找 二维数组查找 题目描述 在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到...

  • 剑指offer4.二维数组中的查找

    题目 题目分析 算法-二维数组中的查找 比如一个二维数组是这样: 要查找数组7在不在数组内,根据前人总结出来的规律...

  • 《剑指offer》(一)-二维数组中的查找(java)

    数组--二维数组中的查找 题目描述 在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序...

  • 刷题-数组专项

    数组 二维数组中的查找题目描述:在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序,每...

  • 二维数组中的查找(Javascript编程) function Find(target, array){ // w...

  • 牛客网高频算法题系列-BM18-二维数组中的查找

    牛客网高频算法题系列-BM18-二维数组中的查找 题目描述 在一个二维数组array中(每个一维数组的长度相同),...

  • 数组——二维数组中查找

    一、题目描述 在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序,每一列都按照从上到下...

  • LeetCode 每日一题 [39] 二维数组中的查找

    LeetCode 二维数组中的查找 [简单] 在一个 n * m 的二维数组中,每一行都按照从左到右递增的顺序排序...

网友评论

      本文标题:JZ-001-二维数组中的查找

      本文链接:https://www.haomeiwen.com/subject/kadqaltx.html