我写一个简单的程序如下:给定两个数M和N,p为[M,N],并且q是从[1,P-1],求P / Q的所有最简分数。 我的想法是蛮力P,Q的所有可能的值。 并使用HashSet的,以避免重复分数。 然而,不知何故包含功能无法按预期工作。
我的代码
import java.util.HashSet;
import java.util.Set;
public class Fraction {
private int p;
private int q;
Fraction(int p, int q) {
this.p = p;
this.q = q;
}
public static int getGCD(int a, int b) {
if (b == 0)
return a;
else
return getGCD(b, a % b);
}
public static Fraction reduce(Fraction f) {
int c = getGCD(f.p, f.q);
return new Fraction(f.p / c, f.q / c);
}
public static HashSet<Fraction> getAll(int m, int n) {
HashSet<Fraction> res = new HashSet<Fraction>();
for (int p = m; p <= n; p++)
for (int q = 1; q < p; q++) {
Fraction f = new Fraction(p,q);
Fraction fr = reduce(f);
if (!res.contains(fr))
res.add(fr);
}
return res;
}
public static void print(Fraction f) {
System.out.println(f.p + "/" + f.q);
}
public static void main(String[] args) {
// TODO Auto-generated method stub
HashSet<Fraction> res = getAll(2, 4);
for (Fraction f : res)
print(f);
}
}
下面是程序的输出
4/3
3/1
4/1
2/1
3/2
2/1
你可以看到分数2/1是重复的。 任何人都可以帮我找出原因和如何解决它。 非常感谢。