Problem Description
有三个正整数a,b,c(0<a,b,c<10^6),其中c不等于b。若a和c的最大公约数为b,现已知a和b,求满足条件的最小的c。
Input
第一行输入一个n,表示有n组测试数据,接下来的n行,每行输入两个正整数a,b。
Output
输出对应的c,每组测试数据占一行。
Sample Input
2 6 2 12 4
Sample Output
4 8
题中已经给了我们两个数的最大公约数,若这两个数为a,b。则题目中其实已经给了ax=by中的x。则求b就是求与c互质的最小数。
代码:
#include <iostream>
using namespace std;
int Gcd(int m, int n)
{
return m == 0 ? n : Gcd(n % m, m );
}
int main()
{
int t;
cin>>t;
while(t--)
{
int a,b;
cin>>a>>b;
int c;
c=a/b;
for(int i=2;;i++)
{
if(i*b!=b&&Gcd(i,c)==1)
{
cout<<i*b<<endl;break;
}
}
}
return 0;
}
0