1. 程式人生 > 實用技巧 >LeetCode 43 字串相乘

LeetCode 43 字串相乘

Leetcode 43 字串相乘

給定兩個代表無符號整數的字串num1、num2,求兩字串表示的整數的乘積的字串。

執行用時:3 ms, 在所有 Java 提交中擊敗了94.87%的使用者
記憶體消耗:40 MB, 在所有 Java 提交中擊敗了39.71%的使用者


方法一: 基於傳統的豎版乘法運算規則,遍歷num2的每一位與num1相乘,過程示例如下

class Solution {
    public String multiply(String num1, String num2) {
        //某一乘數為0,則結果為0
        if (num1.equals("0") || num2.equals("0")) {
            return "0";
        }
        int m = num1.length(), n = num2.length();
        //存放每次乘法的結果(num1第i位、num2第j位)
        int[] ansArr = new int[m + n];
        for (int i = m - 1; i >= 0; i--) {
            int x = num1.charAt(i) - '0';
            for (int j = n - 1; j >= 0; j--) {
                int y = num2.charAt(j) - '0';
                ansArr[i + j + 1] += x * y;
            }
        }
        //所有乘積彙總求和(???)
        for (int i = m + n - 1; i > 0; i--) {
            ansArr[i - 1] += ansArr[i] / 10;
            ansArr[i] %= 10;
        }
        int index = ansArr[0] == 0 ? 1 : 0;
        StringBuffer ans = new StringBuffer();
        while (index < m + n) {
            ans.append(ansArr[index]);
            index++;
        }
        return ans.toString();
    }
}