python 大数加法
时间: 2023-11-15 09:01:14 浏览: 110
Python大数加法是指在Python中对于超过int或float类型范围的数字进行加法运算。一般情况下,我们可以使用Python内置的int类型进行加法运算,但是当数字过大时,int类型会溢出,导致计算结果不准确。因此,我们需要使用字符串来表示这些大数,并通过字符串的操作来实现加法运算。
下面是一个Python实现大数加法的代码示例,该代码实现了从右向左,相同位上数字相加,有进位的保留进位,加入下轮的数字相加,最后的出结果字符串的思路:
```
# num1, num2 两个字符串
def long_int_sum(num1,num2):
# 参数准备
carry = 0 # 默认进位为0
res = "" # 最后结果
# 1.倒序字符串,方便处理
num1 , num2 = num1[::-1], num2[::-1]
#2 长短交换
if len(num1) > len(num2):
num1, num2 = num2, num1
#3 存储长度
size1 = len(num1)
size2 = len(num2)
#4 循环计算
#4.1 二者重合区域
for n in range(size2):
# a 求和
temp = int(num1[n]) + int(num2[n]) + carry
# b 求模
carry = temp // 10
# c 求余 并赋值
res = str(temp % 10) + res
#4.2 较长数字多出来的区域
for n in range(size2,size1):
temp = int(num1[n]) + carry
carry = temp // 10
res = str(temp % 10) + res
if carry > 0:
res = str(carry) + res
return res
```
阅读全文