设置 Java VM line.separator
有没有人找到一种方法来在VM启动时指定Java属性?我在想这样的事情:line.separator
java -Dline.separator="\n"
但这不会将“\n”解释为换行符。有什么想法吗?
有没有人找到一种方法来在VM启动时指定Java属性?我在想这样的事情:line.separator
java -Dline.separator="\n"
但这不会将“\n”解释为换行符。有什么想法吗?
尝试使用 .这应该可以解决问题,至少在bash中是这样。java -Dline.separator=$'\n'
下面是一个测试运行:
aioobe@r60:~/tmp$ cat Test.java
public class Test {
public static void main(String[] args) {
System.out.println("\"" + System.getProperty("line.separator") + "\"");
}
}
aioobe@r60:~/tmp$ javac Test.java && java -Dline.separator=$'\n' Test
"
"
aioobe@r60:~/tmp$
注意:
该表达式使用 Bash 功能 ANSI-C 引用。它扩展了反斜杠转义字符,从而生成一个换行符(ASCII 代码 10),该字符括在单引号中。请参阅 Bash 手册,第 3.1.2.4 节 ANSI-C 引用。$''
$'\n'
为了弥合aiiobe和Bozho的答案之间的差距,我还建议不要在JVM启动时设置参数,因为这可能会破坏JVM和库代码对正在运行的环境所做的许多基本假设。例如,如果您依赖的库以跨平台方式存储配置文件而依赖,那么您就违反了该行为。是的,这是一个边缘案例,但是当几年后出现问题时,这使得它变得更加邪恶,现在你所有的代码都依赖于这种调整到位,而你的库(正确地)假设它不是。line.separator
line.separator
也就是说,有时这些事情是你无法控制的,比如当一个库依赖于并且没有提供你明确覆盖该行为的方法时。在这种情况下,您被困在重写值,或者更痛苦的事情,例如手动重新实现或修补代码。line.separator
对于这些有限的情况,覆盖 是可以接受的,但我们必须遵循两个规则:line.separator
AutoCloseable
和 try-with-resources 语法很好地满足了这两个要求,因此我实现了一个干净利落地提供这两者的类。PropertiesModifier
/**
* Class which enables temporary modifications to the System properties,
* via an AutoCloseable. Wrap the behavior that needs your modification
* in a try-with-resources block in order to have your properties
* apply only to code within that block. Generally, alternatives
* such as explicitly passing in the value you need, rather than pulling
* it from System.getProperties(), should be preferred to using this class.
*/
public class PropertiesModifier implements AutoCloseable {
private final String original;
public PropertiesModifier(String key, String value) {
this(ImmutableMap.of(key, value));
}
public PropertiesModifier(Map<String, String> map) {
StringWriter sw = new StringWriter();
try {
System.getProperties().store(sw, "");
} catch (IOException e) {
throw new AssertionError("Impossible with StringWriter", e);
}
original = sw.toString();
for(Map.Entry<String, String> e : map.entrySet()) {
System.setProperty(e.getKey(), e.getValue());
}
}
@Override
public void close() {
Properties set = new Properties();
try {
set.load(new StringReader(original));
} catch (IOException e) {
throw new AssertionError("Impossible with StringWriter", e);
}
System.setProperties(set);
}
}
我的用例是Files.write()
,这是一个非常方便的方法,除了它明确依赖于.通过包装对的调用,我可以干净利落地指定要使用的行分隔符,而不会冒险将其暴露给应用程序的任何其他部分(当然,请注意,这仍然不是线程安全的)。line.separator
Files.write()
try(PropertiesModifier pm = new PropertiesModifier("line.separator", "\n")) {
Files.write(file, ImmutableList.of(line), Charsets.UTF_8);
}