java刷题--88合并两个有序数组
Posted Anrys
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了java刷题--88合并两个有序数组相关的知识,希望对你有一定的参考价值。
题目
代码
复制法
class Solution {
public void merge(int[] nums1, int m, int[] nums2, int n) {
System.arraycopy(nums2, 0, nums1, m, n);
Arrays.sort(nums1, 0, m + n);
}
}
添加后排序法
class Solution {
public void merge(int[] nums1, int m, int[] nums2, int n) {
for (int i = m, j = 0; i < m + n; i++, j++) {
nums1[i] = nums2[j];
}
Arrays.sort(nums1);
}
}
逆向双指针法
class Solution{
public void merge(int[] nums1, int m, int[] nums2, int n) {
int tail1 = m - 1, tail2 = n - 1, finished = m + n - 1;
while (tail1 >= 0 && tail2 >= 0) {
nums1[finished--] = (nums1[tail1] > nums2[tail2])? nums1[tail1--] : nums2[tail2--];
}
while (tail2 >= 0) { //only need to combine with remaining nums2
nums1[finished--] = nums2[tail2--];
}
}
}
结果
以上是关于java刷题--88合并两个有序数组的主要内容,如果未能解决你的问题,请参考以下文章
Leetcode刷题100天—88. 合并两个有序数组(数组+双指针)—day23