题目一、将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
--leetcode 合并两个有序链表
一、定义一个新的节点,然后循环两个链表,依次往后链
public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
ListNode newNode = new ListNode();
ListNode newNodeTemp = newNode;
while (list1 != null && list2 != null) {
if (list1.val > list2.val) {
newNode.next = list2;
newNode = newNode.next;
list2 = list2.next;
} else {
newNode.next = list1;
newNode = newNode.next;
list1 = list1.next;
}
}
if (list1 == null) {
newNode.next = list2;
} else {
newNode.next = list1;
}
return newNodeTemp.next;
}
二、递归
递归解法就好似学霸学习,看上去啥也没干,但人家已经干完了
public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
if (list1 == null) {
return list2;
}
if (list2 == null) {
return list1;
}
if (list1.val < list2.val) {
list1.next = mergeTwoLists(list1.next,list2);
return list1;
}else {
list2.next = mergeTwoLists(list1,list2.next);
return list2;
}
}
题目二、给你一个链表的头节点 head
和一个整数 val
,请你删除链表中所有满足 Node.val == val
的节点,并返回 新的头节点
方法一、递归
public ListNode removeElements(ListNode head, int val) {
if (head == null) {
return head;
}
head.next = removeElements(head.next, val);
return head.val == val ? head.next : head;
}
方法二、迭代
public ListNode removeElements(ListNode head, int val) {
ListNode listNode = new ListNode(0);
listNode.next = head;
ListNode listNodeTemp = listNode;
if(head ==null){
return head;
}
while (listNodeTemp.next != null){
if(listNodeTemp.next.val == val){
listNodeTemp.next = listNodeTemp.next.next;
}else {
listNodeTemp = listNodeTemp.next;
}
}
return listNode.next;
}