所以我编写了一个Debug trait,用于打印存储在类中的字段和值。
class Point(xv: Int, yv: Int) extends Debug {
var x: Int = xv
var y: Int = yv
var a: String = "test"
}
trait Debug{
def debugVars():Any = {
var i = 0
val vars = this.getClass.getDeclaredFields
for(v <- vars){
v.setAccessible(true)
println("Field: " + vars(i).getName() + " => " + vars(i).get())
i+=1
}
}
}
var p : Point = new Point(3,4)
p.debugVars()
ouptut应该是:
Field: x => 3
Field: y => 4
Field: a => test
但是编译器(我正在使用eclipse Luna)抛出以下错误:
java.lang.IllegalArgumentException: Can not set int field Point.x to scala.runtime.BoxedUnit
at sun.reflect.UnsafeFieldAccessorImpl.throwSetIllegalArgumentException(Unknown Source)
at sun.reflect.UnsafeFieldAccessorImpl.throwSetIllegalArgumentException(Unknown Source)
at sun.reflect.UnsafeFieldAccessorImpl.ensureObj(Unknown Source)
at sun.reflect.UnsafeIntegerFieldAccessorImpl.getInt(Unknown Source)
at sun.reflect.UnsafeIntegerFieldAccessorImpl.get(Unknown Source)
at java.lang.reflect.Field.get(Unknown Source)
at Debug$$anonfun$debugVars$1.apply(<console>:21)
at Debug$$anonfun$debugVars$1.apply(<console>:19)
at scala.collection.IndexedSeqOptimized$class.foreach(IndexedSeqOptimized.scala:33)
at scala.collection.mutable.ArrayOps$ofRef.foreach(ArrayOps.scala:186)
at Debug$class.debugVars(<console>:19)
at Point.debugVars(<console>:8)
... 53 elided
我遇到的问题是for循环+vars(i).get()
,但我不知道如何修复它。任何解决方案或提示?
答案 0 :(得分:3)
从“vars是邪恶的......”的土地:)
每个for
你在银牌上"v"
手牌 - 无需使用i
作为索引。
trait Debug{
def debugVars():Any = {
val vars = this.getClass.getDeclaredFields
for(v <- vars){
v.setAccessible(true)
println("Field: " + v.getName() + " => " + v.get(this))
}
}
}
答案 1 :(得分:2)
从Java docs开始,get需要执行操作的对象。
只需更改vars(i).get()
应为vars(i).get(this)
,您就可以了。
进行更改后,您将在scala工作表中获得
的响应
object s {
var p: Point = new Point(3, 4) //> p : dao.Point = dao.Point@7abdd25
p.debugVars() //> Field: x => 3
//| Field: y => 4
//| res0: Any = ()
}