我需要在反序列化期间向类构造函数注入本地值。例如,看下面的类。
@Serializable
class SomeClass(val local: Context, val serialized: String)
我希望local
在序列化期间跳过该字段,并在反序列化期间用一些预定义的本地值替换。
背后的原因是我要通过网络传输模型,但是对这些模型的操作依赖于我要注入的本地上下文。
因为我还没有找到任何标准的方法来实现它,所以我决定使用上下文序列化。所以我写了序列化器:
class ContextualInjectorSerializer<T>(private val localValue: T) : KSerializer<T> {
override val descriptor = SerialDescriptor("ValueInjection", StructureKind.OBJECT)
override fun deserialize(decoder: Decoder): T {
decoder.beginStructure(descriptor).endStructure(descriptor)
return localValue
}
override fun serialize(encoder: Encoder, value: T) {
encoder.beginStructure(descriptor).endStructure(descriptor)
}
}
并以这种方式使用它:
// Context is marked with @Serializable(with = ContextSerializer::class)
val json = Json(JsonConfiguration.Stable, SerializersModule {
contextual(Context::class, ContextualInjectorSerializer(context))
})
// serialize/deserialize
令人惊讶的是,它在 JVM 上运行良好。但是,当我将其编译为 JS 并进行测试时,我得到了TypeError: Cannot read property 'siteId' of undefined
. 这siteId
是我尝试访问的 Context 字段。
有注入本地参数的标准方法吗?我的诡计有什么问题?