我一直在尝试创建Kotlin DSL,以使用类似JSON的语法创建GSON JsonObjects。我的建造者看起来像这样
import com.google.gson.JsonArray
import com.google.gson.JsonElement
import com.google.gson.JsonObject
import com.google.gson.JsonPrimitive
class JsonBuilder(builder: JsonBuilder.() -> Unit) {
init {
builder()
}
val result = JsonObject()
infix fun String.to(property: Number) = result.addProperty(this, property)
infix fun String.to(property: Char) = result.addProperty(this, property)
infix fun String.to(property: Boolean) = result.addProperty(this, property)
infix fun String.to(property: String) = result.addProperty(this, property)
infix fun String.to(property: JsonElement) = result.add(this, property)
infix fun String.to(properties: Collection<JsonElement>) {
val arr = JsonArray()
properties.forEach(arr::add)
result.add(this, arr)
}
operator fun String.invoke(builder: JsonObject.() -> Unit) {
val obj = JsonObject()
obj.builder()
result.add(this, obj)
}
}
fun json(builder: JsonBuilder.() -> Unit) = JsonBuilder(builder).result
我的测试看起来像这样
fun main() {
val json = json {
"name" to "value"
"obj" {
"int" to 1
}
"true" to true
}
println(json)
}
但是,在执行时,它会导致NullPointerException指向所使用的第一个String扩展函数,我觉得它没有很强的描述性,因为到目前为止我还没有看到可为空的东西。而且,我不认为它与常规执行有什么真正的区别,后者当然不会导致NPE。
val json = JsonObject()
json.addProperty("name", "value")
val obj = JsonObject()
obj.addProperty("int", 1)
json.add("obj", obj)
json.addProperty("true", true)
我的问题是什么才是导致异常的原因(以及如何预防)。
答案 0 :(得分:0)
问题在于,您在结果对象之前指定了初始化程序块,导致在使用它时为null-可以通过以下内容(代码的反编译结果)来直观地看到它。
public JsonBuilder(@NotNull Function1 builder) {
Intrinsics.checkParameterIsNotNull(builder, "builder");
super();
builder.invoke(this);
this.result = new JsonObject();
}
因此,解决方案是将结果的声明和初始化移到初始化程序块之前。
class JsonBuilder(builder: JsonBuilder.() -> Unit) {
val result = JsonObject()
init {
builder()
}
// ...
}
现在结果是...
{"name":"value","int":1,"obj":{},"true":true}
编辑:您还希望允许与DSL链接,并修复当前存在的错误。
operator fun String.invoke(builder: JsonBuilder.() -> Unit) {
val obj = JsonBuilder(builder).result
result.add(this, obj)
}
哪个会产生正确的结果
{"name":"value","obj":{"int":1},"true":true}