系统属性的范围
至少通过阅读该System.setProperties
方法的 API 规范,我无法得到系统属性是否由 JVM 的所有实例共享的答案。
为了找出答案,我编写了两个快速程序,它们将通过 设置系统属性System.setProperty
,使用相同的键,但值不同:
class T1 {
public static void main(String[] s) {
System.setProperty("dummy.property", "42");
// Keep printing value of "dummy.property" forever.
while (true) {
System.out.println(System.getProperty("dummy.property"));
try {
Thread.sleep(500);
} catch (Exception e) {}
}
}
}
class T2 {
public static void main(String[] s) {
System.setProperty("dummy.property", "52");
// Keep printing value of "dummy.property" forever.
while (true) {
System.out.println(System.getProperty("dummy.property"));
try {
Thread.sleep(500);
} catch (Exception e) {}
}
}
}
(请注意,运行上面的两个程序会使它们进入无限循环!)
事实证明,当使用两个单独java
的进程运行这两个程序时,一个 JVM 进程中设置的属性值不会影响另一个 JVM 进程的值。
我应该补充一点,这是使用 Sun 的 JRE 1.6.0_12 的结果,并且至少在 API 规范中没有定义这种行为(或者我无法找到它),行为可能会有所不同。
是否有任何工具可以监控运行时更改
据我所知不是。但是,如果确实需要检查系统属性是否有更改,则可以一次保留 的副本Properties
,并将其与另一个调用进行比较System.getProperties
-- 毕竟,Properties
它是 的子类Hashtable
,因此比较将是以类似的方式进行。
下面的程序演示了一种检查系统属性是否发生变化的方法。可能不是一个优雅的方法,但它似乎完成了它的工作:
import java.util.*;
class CheckChanges {
private static boolean isDifferent(Properties p1, Properties p2) {
Set<Map.Entry<Object, Object>> p1EntrySet = p1.entrySet();
Set<Map.Entry<Object, Object>> p2EntrySet = p2.entrySet();
// Check that the key/value pairs are the same in the entry sets
// obtained from the two Properties.
// If there is an difference, return true.
for (Map.Entry<Object, Object> e : p1EntrySet) {
if (!p2EntrySet.contains(e))
return true;
}
for (Map.Entry<Object, Object> e : p2EntrySet) {
if (!p1EntrySet.contains(e))
return true;
}
return false;
}
public static void main(String[] s)
{
// System properties prior to modification.
Properties p = (Properties)System.getProperties().clone();
// Modification of system properties.
System.setProperty("dummy.property", "42");
// See if there was modification. The output is "false"
System.out.println(isDifferent(p, System.getProperties()));
}
}
属性不是线程安全的?
Hashtable
是 thread-safe,所以我期待它Properties
也是如此,事实上,Properties
该类的 API Specifications 证实了这一点:
这个类是线程安全的:多个线程可以共享一个Properties
对象而不需要外部同步。,序列化形式