【数据结构基础_字符串】Leetcode 43.字符串相乘

原题链接:Leetcode 43. Multiply Strings

Given two non-negative integers num1 and num2 represented as strings, return the product of num1 and num2, also represented as a string.

Note: You must not use any built-in BigInteger library or convert the inputs to integer directly.

Example 1:

Input: num1 = "2", num2 = "3"
Output: "6"

Example 2:

Input: num1 = "123", num2 = "456"
Output: "56088"

Constraints:

  • 1 <= num1.length, num2.length <= 200
  • num1 and num2 consist of digits only.
  • Both num1 and num2 do not contain any leading zero, except the number 0 itself.

方法一:做加法

思路:

做竖式计算,被乘数和乘数的每一位计算后,通过加法得到最终结果
注意:计算完之后除了第一位都 需要补0

C++代码:

class Solution {
public:
    // 字符串相加
    string addStrings(string &num1, string &num2) {
        int i = num1.size() - 1, j = num2.size() - 1, add = 0;
        string ans;

        while (i >= 0 || j >= 0 || add != 0) {
            // 当位数用完时 作为0参与计算
            int x = i >= 0 ? num1[i]) - '0' : 0;
            int y = j >= 0 ? num2[j] - '0' : 0;
            int result = x + y + add;

            ans.push_back(result % 10 + '0');
            add = result / 10;
            i--;
            j--;
        }

        // 要反转过来
        reverse(ans.begin(), ans.end());
        return ans;
    }

    // 字符串相乘
    string multiply(string num1, string num2) {
        // 特判
        if (num1 == "0" || num2 == "0") {
            return "0";
        }

        string ans = "0";
        int m = num1.size(), n = num2.size();
        
        // 从右往左遍历被乘数的每一位
        for (int i = n - 1; i >= 0; i--) {
            string curr;
            // 进位
            int add = 0;
            
            // 需要补0 第一个不需要补0 第二个需要补1个0...
            for (int j = n - 1; j > i; j--) {
                curr.push_back('0');
            }
            int y = num2[i] - '0';

            // 遍历乘数的每一位
            for (int j = m - 1; j >= 0; j--) {
                int x = num1[j] - '0';
                int product = x * y + add;
                curr.push_back(product % 10 + '0');
                add = product / 10;
            }

            // 算完还有有进位时
            while (add != 0) {
                curr.push_back(add % 10 + '0');
                add /= 10;
            }

            // 要反转过来
            reverse(curr.begin(), curr.end());

            // 加法
            ans = addStrings(ans, curr);
        }
        return ans;
    }
};

复杂度分析:

  • 时间复杂度:O(mn),乘法做了两重循环,也就是O(mn),加法的复杂度O(max(m,n))小个量级,忽略
  • 空间复杂度:O(m + n),乘法的最大结果是m+n位,因此存储中间状态不会超过这个范围

方法二:做乘法

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值