C ++
#include<iostream>
#include<cstdio>
#include<cmath>
using namespace std;
unsigned long long int t,n,i,m,su,s,k;
int main()
{
cin>>n;
if(n==0)
{
cout<<"0\n";
return 0;
}
m = sqrt(n);
su = m*(m+1)/2;
s = n-1;
for(i=2;i*i<=n;i++)
{
k = n/i;
s = s + (k-1)*i + k*(k+1)/2 - su;
}
cout<<s<<"\n";
}
的Python
import math
n = int(input())
if n==0:
print('0')
else:
m = int(math.sqrt(n))
su = int(m*(m+1)/2)
s = n-1
i=2
while i*i<=n:
k = int(n/i)
s = s + ((k-1)*i) + int(k*(k+1)/2) - su
i = i+1
print(s)
答案为1000000000而不同
对于c ++代码输出= 322467033612360628
对于python代码输出= 322467033612360629
为什么答案不同?
我不认为它是由c ++整数溢出引起的,因为在64位环境范围内的unsigned long long int是18,446,744,073,709,551,615
编辑:删除了创建混淆的变量
答案 0 :(得分:3)
这与Python 3中的change in the division operator与Python 2相关。
在Python 2中,如果分子和分母都是整数,/
是整数分区:
Python 2.7.1 (r271:86882M, Nov 30 2010, 10:35:34)
[GCC 4.2.1 (Apple Inc. build 5664)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> 2/3
0
>>> 2.0/3.0
0.6666666666666666
>>>
>>> 1/2 == 1.0 / 2.0
False
请注意,在Python 2中,如果分子或分母是浮点数,则结果将是浮点数。
但是Python 3将/
更改为'True Division',您需要使用//
来获得整数分区:
Python 3.3.2 (default, May 21 2013, 11:50:47)
[GCC 4.2.1 Compatible Apple Clang 4.1 ((tags/Apple/clang-421.11.66))] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> 2/3
0.6666666666666666
>>> 2//3
0
>>> 1/2 == 1.0/2.0
True
>>> 1//2 == 1.0/2.0
False
C ++使用整数之间的分区:
int main()
{
int n=2;
int d=3;
cout<<n/d; // 0
}
如果我运行此代码(改编自您的代码):
from __future__ import print_function
import math
n = 1000000000
if n==0:
print('0')
else:
m = int(math.sqrt(n))
su = int(m*(m+1)/2)
s = n-1
i=2
while i*i<=n:
k = int(n/i)
s = s + ((k-1)*i) + int(k*(k+1)/2) - su
i = i+1
print(s)
在Python 3下我得到:
322467033612360629
在Python 2下我得到:
322467033612360628
如果您更改此行:
s = s + ((k-1)*i) + int(k*(k+1)/2) - su
到
s = s + ((k-1)*i) + int(k*(k+1)//2) - su # Note the '//'
它将修复Python 3下的问题