我正在编写一个简单的程序如下:给定两个数字M和N,p来自[M,N],q来自[1,p-1],找到p / q的所有不可约分数。 我的想法是蛮力所有可能的p,q值。并使用HashSet来避免重复的分数。但是,不知何故,contains函数没有按预期工作。
我的代码
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是重复的。任何人都可以帮我弄清楚为什么以及如何解决它。 非常感谢。
答案 0 :(得分:6)
覆盖Fraction#equals
和Fraction#hashCode
。这些在内部用于确定两个对象是否相同。我想当你不覆盖它们时,equals方法测试对象地址的相等性而不是它们的内部表示。
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + p;
result = prime * result + q;
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (getClass() != obj.getClass())
return false;
Fraction other = (Fraction) obj;
if (p != other.p)
return false;
if (q != other.q)
return false;
return true;
}
答案 1 :(得分:3)
您需要实施Fraction#equals()
和Fraction#hashcode()
,因为它用于确定天气集合是否包含特定值。没有它,比较对象引用,这将无法提供所需的结果。
答案 2 :(得分:0)
您的Fraction
课程未覆盖hashCode
和equals
。 HashMap
包含尝试查找与您提供的密钥具有相同hashCode(和等于)的密钥。在您创建Fraction
的新实例时,它将永远不会与HashMap
中已有的实例相同。您可以按照hashCode
和equals
的方式进行操作:
@Override
public int hashCode() {
return super.hashCode() + p * 24 + q * 24;
}
@Override
public boolean equals(Object other) {
if (!(other instanceof Fraction)) return false;
return ((Fraction) other).p == this.p && ((Fraction) other).q == this.q;
}