题目链接:点击打开链接
题目大意:略
解题思路:略
相关企业
AC 代码
- /**
- * Definition for singly-linked list.
- * public class ListNode {
- * int val;
- * ListNode next;
- * ListNode(int x) { val = x; }
- * }
- */
- class Solution {
- public ListNode mergeTwoLists(ListNode l1, ListNode l2) {
- ListNode dum = new ListNode(0), cur = dum;
- while(l1 != null && l2 != null) {
- if(l1.val < l2.val) {
- cur.next = l1;
- l1 = l1.next;
- }
- else {
- cur.next = l2;
- l2 = l2.next;
- }
- cur = cur.next;
- }
- cur.next = l1 != null ? l1 : l2;
- return dum.next;
- }
- }
- /**
- * Definition for singly-linked list.
- * struct ListNode {
- * int val;
- * ListNode *next;
- * ListNode(int x) : val(x), next(NULL) {}
- * };
- */
- class Solution {
- public:
- ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
- ListNode* dum = new ListNode(0);
- ListNode* cur = dum;
- while(l1 != nullptr && l2 != nullptr) {
- if(l1->val < l2->val) {
- cur->next = l1;
- l1 = l1->next;
- }
- else {
- cur->next = l2;
- l2 = l2->next;
- }
- cur = cur->next;
- }
- cur->next = l1 != nullptr ? l1 : l2;
- return dum->next;
- }
- };