From the documentation for Field.set
:
If the underlying field is final, the method throws an IllegalAccessException
unless setAccessible(true)
has succeeded for this field and this field is non-static.
So at first it seems that you are out of luck, since File.separatorChar
is static
. Surprisingly, there is a way to get around this: simply make the static
field no longer final
through reflection.
I adapted this solution from javaspecialist.eu:
static void setFinalStatic(Field field, Object newValue) throws Exception {
field.setAccessible(true);
// remove final modifier from field
Field modifiersField = Field.class.getDeclaredField("modifiers");
modifiersField.setAccessible(true);
modifiersField.setInt(field, field.getModifiers() & ~Modifier.FINAL);
field.set(null, newValue);
}
I've tested it and it works:
setFinalStatic(File.class.getField("separatorChar"), '#');
System.out.println(File.separatorChar); // prints "#"
Do exercise extreme caution with this technique. Devastating consequences aside, the following actually works:
setFinalStatic(Boolean.class.getField("FALSE"), true);
System.out.format("Everything is %s", false); // "Everything is true"