汇总区间
题目形容:给定一个无反复元素的有序整数数组 nums。
返回 恰好笼罩数组中所有数字 的 最小有序 区间范畴列表。也就是说,nums 的每个元素都恰好被某个区间范畴所笼罩,并且不存在属于某个范畴但不属于 nums 的数字 x。
列表中的每个区间范畴 [a,b] 应该按如下格局输入:
- “a->b”,如果 a != b
- “a”,如果 a == b
示例阐明请见 LeetCode 官网。
起源:力扣(LeetCode)
链接:https://leetcode-cn.com/probl…
著作权归领扣网络所有。商业转载请分割官网受权,非商业转载请注明出处。
解法一:遍历数组
首先,初始化一个 result 存返回后果,而后,处理过程如下:
- 如果 nums 为 null 或者 nums 没有一个元素,间接返回 result;
- 如果 nums 只有一个元素,将惟一的元素增加到 result 中,返回 result;
初始化 start 和 end 为数组的第一个元素,而后从第 1 位开始遍历数组:
- 如果以后元素比 end 大 1,阐明是间断的,将以后元素赋值给 end;
- 否则,判断 start 是否等于 end,行将以后区间增加到 result 后果中,而后将以后元素赋值给 start 和 end。
遍历实现后,把最初一个区间增加到 result 后果中,返回 result。
import java.util.ArrayList;
import java.util.List;
public class LeetCode_228 {public static List<String> summaryRanges(int[] nums) {List<String> result = new ArrayList<>();
if (nums == null || nums.length == 0) {return result;}
if (nums.length == 1) {result.add(String.valueOf(nums[0]));
return result;
}
int start = nums[0], end = nums[0];
for (int i = 1; i < nums.length; i++) {if (nums[i] == end + 1) {end = nums[i];
} else {if (start == end) {result.add("" + start);
} else {result.add(start + "->" + end);
}
start = end = nums[i];
}
}
if (start == end) {result.add("" + start);
} else {result.add(start + "->" + end);
}
return result;
}
public static void main(String[] args) {int[] nums = new int[]{0, 1, 2, 4, 5, 7};
for (String summaryRange : summaryRanges(nums)) {System.out.println(summaryRange);
}
}
}
【每日寄语】 你要做冲出的黑马 而不是坠落的星星。