博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
最长数组对 Maximum Length of Pair Chain
阅读量:6576 次
发布时间:2019-06-24

本文共 1808 字,大约阅读时间需要 6 分钟。

  hot3.png

问题:

You are given n pairs of numbers. In every pair, the first number is always smaller than the second number.

Now, we define a pair (c, d) can follow another pair (a, b) if and only if b < c. Chain of pairs can be formed in this fashion.

Given a set of pairs, find the length longest chain which can be formed. You needn't use up all the given pairs. You can select pairs in any order.

Example 1:

Input: [[1,2], [2,3], [3,4]]Output: 2Explanation: The longest chain is [1,2] -> [3,4]

Note:

  1. The number of given pairs will be in the range [1, 1000].

解决:

① 贪心算法。对于排序:

以 (8,9) (10,11) (1,100)为例:

按照数组第一个元素排序: (1,100),(8,9), (10,11) 。不能通过比较 [i][end] 和 [i+1][begin] 来增加链。
而如果按照数组第二个元素排序: (8,9) ,(10,11), (1,100),那么则可以通过比较 [i][end] 和 [i+1][begin] 来增加链。

class Solution {//35ms

    public int findLongestChain(int[][] pairs) {
        Arrays.sort(pairs, new Comparator<int[]>() {//升序
           
            public int compare(int[] o1, int[] o2) {
                return o1[1] - o2[1];
            }
        });
        int res = 0;
        int pre = Integer.MIN_VALUE;
        for (int[] pair : pairs){
            if (pair[0] > pre){
                res ++;
                pre = pair[1];
            }
        }
        return res;
    }
}

②  求最长的链对,可以将每个pair按照第一个数字排序。dp[i]储存的是从i结束的链表长度最大值。首先初始化每个dp[i]为1。然后对于每个dp[i],找在 i 前面的索引 0~j,如果存在可以链接在i 前面的数组,且加完后大于dp[i]之前的值,那么则在dp[j]的基础上+1.

class Solution { //89ms

    public int findLongestChain(int[][] pairs) {
        //Arrays.sort(pairs, (a, b) -> (a[0] - b[0]));jdk1.8使用λ表达式
        Arrays.sort(pairs, new Comparator<int[]>() {//升序
           
            public int compare(int[] o1, int[] o2) {
                return o1[0] - o2[0];
            }
        });
        int max = 0;
        int len = pairs.length;
        int[] dp = new int[len];
        Arrays.fill(dp,1);
        int i = 0;
        int j = 0;
        for (i = 1;i < len;i ++){
            for (j = 0;j < i;j ++){
                if (pairs[j][1] < pairs[i][0] && dp[i] < dp[j] + 1){
                    dp[i] = dp[j] + 1;
                }
            }
        }
        for (i = 0;i < len;i ++){
            if (max < dp[i]){
                max = dp[i];
            }
        }
        return max;
    }
}

转载于:https://my.oschina.net/liyurong/blog/1605919

你可能感兴趣的文章
使用 Ghost 写博客
查看>>
c#:拖动功能
查看>>
Centos6.9下安装并使用VNC的操作记录
查看>>
《Linux内核设计与实现》读书笔记 - 目录 (完结)
查看>>
GIS-013-Cesium Terrain 数据生成
查看>>
java int与integer的区别
查看>>
UVALive3902 Network[贪心 DFS&&BFS]
查看>>
图像处理的基本概念
查看>>
039 hive中关于数据库与表等的基本操作
查看>>
Java Volatile关键字 以及long,double在多线程中的应用
查看>>
__slots__用法以及优化
查看>>
分部积分的图形解释
查看>>
idea常用快捷键大全(转)
查看>>
HashMap和Hashtable的区别 源码分析
查看>>
Git初始化仓库
查看>>
mysql利用timestamp来进行帖子排序
查看>>
SQL Server 管理常用的SQL和T-SQL
查看>>
Microsoft Orleans 之 入门指南
查看>>
MySoft.Data 2.7.3版本的GitHub托管(ORM升级封装)
查看>>
eclipse各版本代号
查看>>