LeetCode 大数加法

  1. 在计算的过程中,int不能帮助我们解决所有的计算问题,就比如说很长的数据的计算。

  2. 使用字符串,同时结合基本的运算逻辑可以解决这个问题。

  3. 比如这道题[415. 字符串相加]

  4. 使用如下解法。

class Solution{
public:
	string addStrings(string num1, string num2) {
    int num1Length(num1.size() - 1), num2Length(num2.size() - 1);
    bool out(false);
    string ans = "";
    while(num1Length >= 0 || num2Length >= 0 || out) {
      int x = num1Length >= 0? num1[num1Length] - '0': 0;
      int y = num2Length >= 0? num2[num2Length] - '0': 0;
      int res = x + y + out;
      ans.push_back(res % 10 + '0');
      out = res / 10;
      num1Length--;
      num2Length--;
    }
    reverse(ans.begin(), ans.end());
    return ans;
  }
}

你可能感兴趣的:(刷题总结)