You are given two linked lists representing two non-negative numbers. The digits are stored in reverse > order and each of their nodes contain a single digit. Add the two numbers and return it as a linked > > list.
var input1 = '2 -> 4 -> 3'; var input2 = '5 ->6 -> 4';
var inputStr1 = input1.split(/[^\d]+/); var inputStr2 = input2.split(/[^\d]+/);
var tmpL, l1, l2; tmpL = l1 = newListNode(parseInt(inputStr1[0])); if (inputStr1.length > 1) { for (var i = 1; i < inputStr1.length; i++) { tmpL.next = newListNode(parseInt(inputStr1[i])); tmpL = tmpL.next; } }
tmpL = l2 = newListNode(parseInt(inputStr2[0])) if (inputStr2.length > 1) { for (var i = 1; i < inputStr2.length; i++) { tmpL.next = newListNode(parseInt(inputStr2[i])); tmpL = tmpL.next; } }
var l3 = addTwoNumbers(l1, l2);
var ret = '' if (l3 != null) { ret += l3.val;
tmpL = l3.next; while (tmpL != null) { ret += ' -> ' + tmpL.val; tmpL = tmpL.next; }
}
console.log(ret);
console.log('finished');
AC Solution:
这个题目题意有点混乱, stored in reverse order说是给定的input是逆序的,最坏的是前几个测试用例还很难猜出题意.本题的意思是给定两个非负数的链表,并且每个节点的数字都是一位数字,完成两个’链表’的相加(需要考虑进位的问题).我的做法是将链表形式的数据转换成实际意义的数字,然后再转换回去,还没有尝试其他的方式;