我正在尝试序列化一个有InputStream的对象。我需要它作为ByteArray到达flex客户端。
注意 - 我无法在此课程上实施IExternalizable
,因为它不是我的。
我已经注册了自定义BeanProxy
进行转换,但它似乎无法正常工作:
public class InputStreamBeanProxy extends BeanProxy {
@Override
public Object getInstanceToSerialize(Object instance) {
InputStream stream = (InputStream) instance;
Byte[] boxOfBytes;
try {
byte[] bytes = IOUtils.toByteArray(stream);
boxOfBytes = new Byte[bytes.length];
for (int i=0; i < bytes.length; i++)
{
boxOfBytes[i] = bytes[i];
}
} catch (IOException e) {
logger.error("Exception serializing inputStream: ", e);
throw new RuntimeException(e);
}
return boxOfBytes;
}
}
然后在启动期间注册此代理,如下所示:
PropertyProxyRegistry.getRegistry().register(InputStream.class, new InputStreamBeanProxy());
我在这段代码中设置了断点,我看到它按预期被调用。但是,当对象到达客户端时,输入流的类型为Object
,并且不包含任何属性。
我做错了什么?
答案 0 :(得分:0)
好的 - 解决了这个问题。
问题在于,在代理对象时,getInstanceToSerialize
返回的值会根据其各自的属性进行序列化 - 即序列化为对象。
这里不能返回“原始”类型(引用javadocs)。原始的,它们指的是原始的flashplayer类型。由于我希望byte[]
作为ByteArray
到达 - 这是一种原始类型,因此我的原始方法不起作用。
相反,解决方案是代理拥有类的属性,而不是直接代理InputStream。
这是工作代理:
public class InputStreamBeanProxy extends BeanProxy {
@Override
public Object getValue(Object instance, String propertyName) {
Object value = super.getValue(instance, propertyName);
if (value instanceof InputStream) {
value = getByteArray((InputStream) value);
}
return value;
}
private byte[] getByteArray(InputStream stream) {
try {
byte[] bytes = IOUtils.toByteArray(stream);
return bytes;
} catch (IOException e) {
logger.error("Exception serializing inputStream: ", e);
throw new RuntimeException(e);
}
}
}
假设我正在尝试序列化以下类:
public class MyThing
{
InputStream myStream;
...
}
这将注册如下:
PropertyProxyRegistry.getRegistry().register(MyThing.class, new InputStreamBeanProxy());