Допустим, вы не каждый день пишете свои собственные JavaBeans, a тут вдруг польстились на возможность класса XMLEncoder легко и непринужденно сериализовать объекты в XML и решили написать небольшой proof-of-concept примерчик, чтобы удостовериться, что оно все работает, как обещано. С кем, в конце концов, не бывает...
"Если с первого раза не получилось, парашютный спорт не для вас..." При попытке запуситть наш простой примерчик мы получаем в консоли следующее послание от компилятора:
java.lang.IllegalAccessException: Class sun.reflect.misc.Trampoline can not access a member of class Ххх with modifiers "" Continuing ...
Вопрос: за что и что нам с этим делать?
Solution: make the class of the JavaBean public. :)
Пример #1, показывающий, что класс JavaBean нужно делать публичным
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.beans.XMLEncoder; | |
import java.io.*; | |
public class RakeJB_A { | |
public static void main(String[] args) throws FileNotFoundException { | |
new RakeJB_A().test(); | |
} | |
private void test() throws FileNotFoundException { | |
MyBean b = new MyBean(); | |
XMLEncoder e = new XMLEncoder( new BufferedOutputStream( new FileOutputStream( getClass().getName() + ".XML") ) ); | |
e.writeObject(b); | |
e.close(); | |
} | |
} | |
class MyBean { | |
private int n; | |
public void setN(int n) { this.n = n; } | |
public int getN() { return n; } | |
private String s; | |
public void setS(String s) { this.s = s; } | |
public String getS() { return s; } | |
} | |
/* | |
Outputs | |
java.lang.IllegalAccessException: Class sun.reflect.misc.Trampoline can not access a member of class MyBean with modifiers "" | |
Continuing ... | |
java.lang.Exception: XMLEncoder: discarding statement XMLEncoder.writeObject(MyBean); | |
Continuing ... | |
because the bean class is not public. | |
Contents of the XML file: | |
<?xml version="1.0" encoding="UTF-8"?> | |
<java version="1.7.0_11" class="java.beans.XMLDecoder"> | |
</java> | |
*/ |
Пример #2, в котором полное счастье так и не наступает
Хорошо, мы выносим класс бина в отдельный файл и делаем его публичным, и он даже компилируется:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public class MyBean_B { | |
private int n; | |
public void setN(int n) { this.n = n; } | |
public int getN() { return n; } | |
private String s; | |
public void setS(String s) { this.s = s; } | |
public String getS() { return s; } | |
} |
После чего тем, что осталось, пытаемся сериализовать его в XML:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.beans.XMLEncoder; | |
import java.io.*; | |
public class RakeJB_B { | |
public static void main(String[] args) throws FileNotFoundException { | |
new RakeJB_B().test(); | |
} | |
private void test() throws FileNotFoundException { | |
MyBean_B b = new MyBean_B(); | |
XMLEncoder e = new XMLEncoder( new BufferedOutputStream( new FileOutputStream( getClass().getName() + ".XML") ) ); | |
e.writeObject(b); | |
e.close(); | |
} | |
} |
В итоге в консоли чисто, а в текущем каталоге мы получаем такой файлик:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
<?xml version="1.0" encoding="UTF-8"?> | |
<java version="1.7.0_11" class="java.beans.XMLDecoder"> | |
<object class="MyBean_B"/> | |
</java> |
Уже гораздо приятнее - мы видим ссылку на объект класса MyBean_B, но хотелось бы какого-то упоминания свойств этого объекта... Может быть инициализация поможет?
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public class MyBean_C { | |
private int n = 123; | |
public void setN(int n) { this.n = n; } | |
public int getN() { return n; } | |
private String s = "test"; | |
public void setS(String s) { this.s = s; } | |
public String getS() { return s; } | |
} |
Нет, не поможет, дело в том, что XMLEncoder сравнивает значения свойств со значениями по умолчанию (сразу после создания объекта), и если они совпадают, то не сериализуются. Действительно - зачем?
Пример #3, в котором уже почти хорошо
Добавим для разнообразия в наш бин немножечко BigDecimal:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.math.BigDecimal; | |
public class MyBean_D { | |
private int n = 123; | |
public void setN(int n) { this.n = n; } | |
public int getN() { return n; } | |
private String s = "test"; | |
public void setS(String s) { this.s = s; } | |
public String getS() { return s; } | |
private BigDecimal d = BigDecimal.ONE; | |
public void setD(BigDecimal d) { this.d = d; } | |
public BigDecimal getD() { return d; } | |
} |
И даже присвоим ему какое-нибудь значение не по умолчанию:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.beans.XMLEncoder; | |
import java.math.BigDecimal; | |
import java.io.*; | |
public class RakeJB_D { | |
public static void main(String[] args) throws FileNotFoundException { | |
new RakeJB_D().test(); | |
} | |
private void test() throws FileNotFoundException { | |
MyBean_D b = new MyBean_D(); | |
b.setN( (int) System.currentTimeMillis() ); | |
b.setS( String.valueOf( System.currentTimeMillis() ) ); | |
b.setD( new BigDecimal( System.currentTimeMillis() ) ); | |
XMLEncoder e = new XMLEncoder( new BufferedOutputStream( new FileOutputStream( getClass().getName() + ".XML") ) ); | |
e.writeObject(b); | |
e.close(); | |
} | |
} |
String - видим, int - видим, BigDecimal - не видим:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
<?xml version="1.0" encoding="UTF-8"?> | |
<java version="1.7.0_11" class="java.beans.XMLDecoder"> | |
<object class="MyBean_D"> | |
<void property="n"> | |
<int>972855620</int> | |
</void> | |
<void property="s"> | |
<string>1358182521156</string> | |
</void> | |
</object> | |
</java> |
Очень жаль...
Пример #4, в котором Kuldeep.Oli избавляет нас от страданий, поведав о java.beans.PersistenceDelegate
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.beans.XMLEncoder; | |
import java.math.BigDecimal; | |
import java.io.*; | |
public class RakeJB_E { | |
public static void main(String[] args) throws FileNotFoundException { | |
new RakeJB_E().test(); | |
} | |
private void test() throws FileNotFoundException { | |
MyBean_D b = new MyBean_D(); | |
b.setN( (int) System.currentTimeMillis() ); | |
b.setS( String.valueOf( System.currentTimeMillis() ) ); | |
b.setD( new BigDecimal( System.currentTimeMillis() ) ); | |
XMLEncoder e = new XMLEncoder( new BufferedOutputStream( new FileOutputStream( getClass().getName() + ".XML") ) ); | |
e.setPersistenceDelegate( BigDecimal.class, e.getPersistenceDelegate( Long.class ) ); | |
e.writeObject(b); | |
e.close(); | |
} | |
} | |
/* | |
Creates an XML file like this: | |
<?xml version="1.0" encoding="UTF-8"?> | |
<java version="1.7.0_11" class="java.beans.XMLDecoder"> | |
<object class="MyBean_D"> | |
<void property="d"> | |
<object class="java.math.BigDecimal"> | |
<string>1358183392478</string> | |
</object> | |
</void> | |
<void property="n"> | |
<int>973726942</int> | |
</void> | |
<void property="s"> | |
<string>1358183392478</string> | |
</void> | |
</object> | |
</java> | |
*/ |
Ссылки по теме:
JavaBeans Trail in The Java Tutorials from
Javadoc for class java.beans.XMLEncoder
No comments:
Post a Comment