程序師世界是廣大編程愛好者互助、分享、學習的平台,程序師世界有你更精彩!
首頁
編程語言
C語言|JAVA編程
Python編程
網頁編程
ASP編程|PHP編程
JSP編程
數據庫知識
MYSQL數據庫|SqlServer數據庫
Oracle數據庫|DB2數據庫
 程式師世界 >> 編程語言 >> C語言 >> C++ >> C++入門知識 >> LeetCode——Add Two Numbers

LeetCode——Add Two Numbers

編輯:C++入門知識

Add Two Numbers


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.

Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 0 -> 8

中文:給你兩個包含非負數的鏈表。數字以倒序存放,每個節點只包含一個數字。把兩個鏈表加起來,返回一個單鏈表。

輸入: (2 -> 4 -> 3) + (5 -> 6 -> 4)
輸出: 7 -> 0 -> 8


此題其實就是求兩數的加法,只是它把兩個數分別放在單鏈表中了,並以倒序存放,大概就是 百位 -> 十位 -> 個位。其結果也是一個單鏈表。 Java:
public class AddTwoNumbers {

	public ListNode addTwoNumbers(ListNode l1, ListNode l2){
		ListNode result = new ListNode(0);
		ListNode temp = result;
		int sum = 0;
		while(l1 != null || l2 != null){
			if(l1 != null){
				sum += l1.val;
				l1 = l1.next;
			}
			if(l2 != null){
				sum += l2.val;
				l2 = l2.next;
			}
			//對10取余,判斷兩數之和是否大於10
			temp.next = new ListNode(sum%10);
			temp = temp.next;
			//取進位的數,值為0,1
			sum /= 10;
		}
		if(sum >0)
			temp.next = new ListNode(sum);
		return result.next;
	}
	  // Definition for singly-linked list.
	  public class ListNode {
	      int val;
	      ListNode next;
	      ListNode(int x) {
	          val = x;
	          next = null;
	      }
	  }
	public static void main(String[] args) {
		new AddTwoNumbers().run();
	}
	public  void run(){
		ListNode l1 = new ListNode(2);
		l1.next = new ListNode(4);
		l1.next.next = new ListNode(3);
		
		ListNode l2 = new ListNode(5);
		l2.next = new ListNode(6);
		l2.next.next = new ListNode(4);
		
		ListNode ret = addTwoNumbers(l1,l2);
		
		System.out.println(ret.val);
		System.out.println(ret.next.val);
		System.out.println(ret.next.next.val);
	}
}


  1. 上一頁:
  2. 下一頁:
Copyright © 程式師世界 All Rights Reserved