對於這個問題還有一個很好的方法:
1、將兩個鏈表逆序,這樣就可以依次得到從低到高位的數字
2、同步遍歷兩個逆序后鏈表,相加生成新鏈表,同時關注進位
3、當兩個鏈表都遍歷完成后,關注進位。
4、 將兩個逆序的鏈表再逆序一遍,調整回去
返回結果鏈表
package TT; public class Test98 { public class Node{ public int value; public Node next; public Node(int data){ this.value=data; } } public Node addLists2(Node head1, Node head2){ head1 = reverseList(head1); head2 = reverseList(head2); int ca = 0; int n1 =0; int n2 =0; int n =0; Node c1 = head1; Node c2 = head2; Node node = null; Node pre = null; while(c1 !=null || c2!=null){ n1 = c1 != null ? c1.value:0; n2 = c2 != null ? c2.value:0; n = n1+n2+ca; pre= node; node = new Node(n % 10); node.next=pre; ca=n/10; c1=c1 != null ? c1.next : null; c2=c2 != null ? c2.next : null; } if(ca == 1){ pre=node; node = new Node(1); node.next = pre; } reverseList(head1); reverseList(head2); return node; } public static Node reverseList(Node head){ Node pre = null; Node next = null; while(head!=null){ next=head.next; head.next=pre; pre=head; head=next; } return pre; } }