如何在c ++中创建一个函数来确定两个输入的数字是否相对为素数(没有公因子)? 例如,“1,3”将是有效的,但“2,4”不会。
答案 0 :(得分:11)
Jim Clay的不谨慎评论激励他们采取行动,这是欧几里德的六行代码算法:
bool RelativelyPrime (int a, int b) { // Assumes a, b > 0
for ( ; ; ) {
if (!(a %= b)) return b == 1 ;
if (!(b %= a)) return a == 1 ;
}
}
已更新以添加:this answer from Omnifarious已对我进行了模糊处理,{{3}}编程了gcd
函数:
constexpr unsigned int gcd(unsigned int const a, unsigned int const b)
{
return (a < b) ? gcd(b, a) : ((a % b == 0) ? b : gcd(b, a % b));
}
现在我们有了一个三线版的RelativelyPrime:
bool RelativelyPrime (int a, int b) { // Assumes a, b > 0
return (a<b) ? RelativelyPrime(b,a) : !(a%b) ? (b==1) : RelativelyPrime (b, a%b);
}
答案 1 :(得分:5)
计算Greatest Common Denominator的众多算法之一。