当您synchronized
在一个对象上有几个块时(例如)obj
,那么 Java 如何检查所有这些obj
s 是相同还是不同?
例如:
public static f() {
synchronized ("xyz") {
...
}
}
f
如果两个线程同时调用上述函数,它们会阻塞另一个吗?请注意,每个线程都会获得一个新的String
对象实例。
为了检查这一点,我编写了以下测试代码,上面的代码块似乎确实可以工作,但是还有其他意想不到的结果。
public class Test {
public static void main(String[] args){
new Thread() {
public void run() {
//f1("A", new X());
f1("A", "Str");
}
}.start();
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
//f1("B", new X());
f1("B", "Str");
}
public static void f1(String a, Object x) {
synchronized(x) {
System.out.println("f1: " + a);
try {
Thread.sleep(5000);
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("f1: " + a + " DONE");
}
}
private static class X {
public boolean equals(Object o) {
System.out.println("equals called");
return true;
}
public int hashCode() {
System.out.println("hashCode called");
return 0;
}
}
}
如果您运行上面的代码,您将获得以下输出:-
f1: A
f1: A DONE
f1: B
f1: B DONE
但是,如果我注释f1("A", "Str");
andf1("B", "Str");
行并取消注释它们上面的行,那么结果是:-
f1: A
f1: B
f1: A DONE
f1: B DONE
由于该Str
版本有效,所以我期待 Java 可能使用equals
检查synchronized
块或可能hashCode
,但从第二次测试看来,情况并非如此。
是String
特例吗?