LeetCode-011-盛最多水的容器
阿新 • • 發佈:2021-06-16
盛最多水的容器
題目描述:給你 n 個非負整數 a1,a2,...,an,每個數代表座標中的一個點 (i, ai) 。在座標內畫 n 條垂直線,垂直線 i 的兩個端點分別為 (i, ai) 和 (i, 0) 。找出其中的兩條線,使得它們與 x 軸共同構成的容器可以容納最多的水。
說明:你不能傾斜容器。
示例說明請見LeetCode官網。
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/container-with-most-water/
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。
解法一:暴力求解法
雙重迴圈求解所有可能的值,取得最大的值。
這個方法能得到結果,但是效率極低,提交時超時了。
解法二:雙指標法
從左右兩邊開始遍歷,2個指標p和q分別指向左右兩邊的值,計算容量,和最大值比較,然後p和q中指向的較小的值的指標移動一位,因為寬度一定容量取決於高度,如果移動較大的值,則不會獲得更大的容量。
重複這個過程,知道p和q指標相交,得到最大容量值。
public class Solution { /** * 方法一:暴力求解法 * * @param height * @return */ public static int maxArea(int[] height) { int max = 0; for (int i = 0; i < height.length - 1; i++) { for (int j = i + 1; j < height.length; j++) { int length = j - i; int high = Math.min(height[i], height[j]); if (length * high > max) { max = length * high; } } } return max; } /** * 雙指標法 * * @param height * @return */ public static int maxArea2(int[] height) { int left = 0, right = height.length - 1, max = 0; while (left < right) { int length = right - left; int high = Math.min(height[left], height[right]); if (length * high > max) { max = length * high; } if (height[left] > height[right]) { right--; } else { left++; } } return max; } public static void main(String[] args) { int[] height = new int[]{1, 8, 6, 2, 5, 4, 8, 3, 7}; System.out.println(maxArea(height)); System.out.println(maxArea2(height)); } }