排序题目:最小时间差

文章目录

题目

标题和出处

标题:最小时间差

出处:539. 最小时间差

难度

3 级

题目描述

要求

给定一个 24 \texttt{24} 24 小时制的时间列表,时间以 "HH:MM" \texttt{"HH:MM"} "HH:MM" 的形式表示,返回列表中任意两个时间的最小时间差的分钟数表示。

示例

示例 1:

输入: timePoints = ["23:59","00:00"] \texttt{timePoints = ["23:59","00:00"]} timePoints = ["23:59","00:00"]

输出: 1 \texttt{1} 1

示例 2:

输入: timePoints = ["00:00","23:59","00:00"] \texttt{timePoints = ["00:00","23:59","00:00"]} timePoints = ["00:00","23:59","00:00"]

输出: 0 \texttt{0} 0

数据范围

  • 2 ≤ timePoints.length ≤ 2 × 10 4 \texttt{2} \le \texttt{timePoints.length} \le \texttt{2} \times \texttt{10}^\texttt{4} 2≤timePoints.length≤2×104
  • timePoints[i] \texttt{timePoints[i]} timePoints[i] 格式为 "HH:MM" \texttt{"HH:MM"} "HH:MM"

解法

思路和算法

首先将时间列表中的每个时间都转换成分钟数表示,得到分钟数组,则分钟数组的每个元素都在范围 [ 0 , 1439 ] [0, 1439] [0,1439] 内。

将分钟数组排序之后,最小时间差一定是数组中的两个相邻时间之差,或者数组的首元素与末元素之差加上 1440 1440 1440(一天的分钟数是 1440 1440 1440)。遍历排序后的分钟数组中的每一对相邻元素(包括首元素与末元素)计算时间差,即可得到最小时间差。

代码

java 复制代码
class Solution {
    public int findMinDifference(List<String> timePoints) {
        int length = timePoints.size();
        int[] timeArr = new int[length];
        for (int i = 0; i < length; i++) {
            String timePoint = timePoints.get(i);
            int hour = Integer.parseInt(timePoint.substring(0, 2));
            int minute = Integer.parseInt(timePoint.substring(3));
            timeArr[i] = hour * 60 + minute;
        }
        Arrays.sort(timeArr);
        int minDifference = timeArr[0] - timeArr[length - 1] + 1440;
        for (int i = 1; i < length; i++) {
            int difference = timeArr[i] - timeArr[i - 1];
            minDifference = Math.min(minDifference, difference);
        }
        return minDifference;
    }
}

复杂度分析

  • 时间复杂度: O ( n log ⁡ n ) O(n \log n) O(nlogn),其中 n n n 是时间列表 timePoints \textit{timePoints} timePoints 的长度。需要创建长度为 n n n 的分钟数组并排序,排序需要 O ( n log ⁡ n ) O(n \log n) O(nlogn) 的时间,排序后遍历数组需要 O ( n ) O(n) O(n) 的时间,因此时间复杂度是 O ( n log ⁡ n ) O(n \log n) O(nlogn)。

  • 空间复杂度: O ( n ) O(n) O(n),其中 n n n 是时间列表 timePoints \textit{timePoints} timePoints 的长度。需要创建长度为 n n n 的分钟数组并排序,数组需要 O ( n ) O(n) O(n) 的空间,排序需要 O ( log ⁡ n ) O(\log n) O(logn) 的递归调用栈空间,因此空间复杂度是 O ( n ) O(n) O(n)。

相关推荐
Tisfy16 天前
LeetCode 0910.最小差值 II:贪心(排序)-小数大数分界线枚举(思考过程详解)
算法·leetcode·题解·贪心·枚举·思维·排序
DogDaoDao1 个月前
LeetCode 算法:多数元素 c++
数据结构·c++·算法·leetcode·排序
一直学习永不止步1 个月前
LeetCode题练习与总结:H 指数--274
java·数据结构·算法·leetcode·数组·排序·计数排序
bug菌¹1 个月前
滚雪球学MySQL[2.3讲]:MySQL数据过滤与排序详解:WHERE条件、ORDER BY排序与LIMIT分页查询
数据库·mysql·排序·order by·where条件·limit分页
Milkha1 个月前
论文速读记录 - 202409
nlp·论文笔记·排序
希忘auto1 个月前
详解常见排序
java·排序
伟大的车尔尼1 个月前
排序题目:对角线遍历 II
排序
ID_云泽1 个月前
MySQL自定义排序:使用ORDER BY FIELD实现灵活的数据排序
数据库·mysql·排序
UestcXiye2 个月前
Leetcode16. 最接近的三数之和
c++·leetcode·排序·双指针·数据结构与算法
七折困2 个月前
列表、数组排序总结:Collections.sort()、list.sort()、list.stream().sorted()、Arrays.sort()
java·集合·数组·排序