目录
正确代码
来自http://t.csdn.cn/X0JwA这篇文章。
#include<iostream>
#include<cmath>
#define ll long long
using namespace std;
int main()
{
ll n;
ll sum=0,start;//用sum记录最长的因子数,用start记录最长连续因子的起始量
cin>>n;
for(int i=2;i<=sqrt(n);i++)//当大于sqrt(n)时没有因子,不可用i*i<=n,测试点6会运行超时
{
if(n%i!=0)//不是因子直接跳过
continue;
ll t=n;//用t得到n值
ll j=i;//用j得到i值
ll num=0;//num记录每次连续因子的长度
while(t%j==0&&t!=0)//暴力解题,遍历到每一个因子
{
t/=j;//这一步就是防止连续因子的乘积大于n,每找到一个因子就除掉它得到剩于部分
j++;
num++;
}
if(sum<num)//更新sum,此处不能用<=,因为我们时从小到大遍历的,所以当长度相同时不交换,保证最小。
{
sum=num;
start=i;
}
}
if(sum==0)//若sum==0则为素数,那么长度为一,序列为其本身
cout<<1<<endl<<n<<endl;
else
{
cout<<sum<<endl;
for(int i=start;i<sum+start;i++)
{
if(i-start==0)
cout<<i;
else
cout<<'*'<<i;
}
}
return 0;
}
失败小结
我的代码
#include<iostream>
#include<cmath>
using namespace std;
#define ll long long int
int main() {
ll N;//这题用数组存储后很难操作
cin >> N;
ll store_factor[1000] = {0};//存储因子
ll record_factor = 0;//用于下标遍历
//1.找到并存储所有因子
for (ll i = 2; i <= sqrt(N); i++) {
if (N % i == 0) {
store_factor[record_factor] = i;
record_factor++;
}
}
//2.遍历,找到并记录最大个数和最小连续
//定义变量为需求服务
ll sum = 1;//乘积和
ll now_num = 0;//当前连续因子个数
ll max = 0;//最大因子数
ll min_fac_sta = 0;//最小连续因子序列的第一个元素的下标
ll min_sum = 0;//最小因子数的乘积和
ll max_sum = 0;//最大因子数乘积和
for (ll i = 0; i <= record_factor; i++) {//外循环遍历每一个因子
now_num = 1;
sum = store_factor[i];
for (ll j = i + 1; j <= record_factor; j++) {//内循环遍历其后面的因子
if (store_factor[i] + 1 == store_factor[j]) {//如果下一个元素连续
sum *= store_factor[j];
if (N % sum == 0) {//如果乘积数是N的因子
now_num++;
if (now_num > max) {更新最长连续因子数max
max = now_num;
min_fac_sta = i; //更新最长连续因子序列在数组a的第一个数序号
}
}
}
else {
break;
}
}
if (now_num == max && (min_sum == 0 || sum < min_sum)) { //更新最小连续因子序列的乘积和
min_sum = sum;
}
}
//输出
cout << max_sum << endl;
for (ll i = min_fac_sta; i < min_fac_sta + max; i++) {
cout << store_factor[i];
if (i < min_fac_sta + max - 1) {
cout << "*";
}
}
return 0;
}
目前仍未找到错误原因并改正,推断在中间的逻辑部分
if (store_factor[i] + 1 == store_factor[j])
可能这一句问题比较大,它可能会扼杀掉这个因子虽然与其后面第一个因子不连续,但和其组合的某个连续因子可能是正确的,但目前还未找到保留数组的情况下的正确代码。
明天在调试吧,累了
而且还不其次为什么用sqrt。