合并两个有序链表 ---- Java

将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。

示例 1:

输入:l1 = [1,2,4], l2 = [1,3,4]
输出:[1,1,2,3,4,4]
示例 2:

输入:l1 = [], l2 = []
输出:[]
示例 3:

输入:l1 = [], l2 = [0]
输出:[0]

作者:力扣 (LeetCode)
链接:https://leetcode-cn.com/leetbook/read/top-interview-questions-easy/xnnbp2/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode() {}
 *     ListNode(int val) { this.val = val; }
 *     ListNode(int val, ListNode next) { this.val = val; this.next = next; }
 * }
 */
class Solution {
    public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
        if (list1 == null)return list2;     //判断特殊情况
        if (list2 == null)return list1;
        ListNode dump = new ListNode(0);
        ListNode xinNode = dump;        //新建链表
        while(list1 !=null && list2 != null){   //循环遍历两个链表
            if(list1.val > list2.val){          //比较链表中的数值谁大
                xinNode.next = list2;           //更新链表
                list2 = list2.next;             //更新遍历节点
            }else{
                xinNode.next = list1;           //更新链表
                list1 = list1.next;             //更新遍历节点
            }
            xinNode = xinNode.next;             //更新新链表节点
        }
        xinNode.next = list1 == null ? list2 : list1;       //判断有一个链表完的时候,另一个链表直接链接
        return dump.next;
    }
}
posted @ 2022-01-23 16:15  网抑云黑胶SVIP用户  阅读(60)  评论(0编辑  收藏  举报