今天同事遇到的問題,用JRuby調用一個java方法,該方法使用了jdk1.5的可變參數。我一開始以為只要簡單地將可變參數表示為數組即可,例如下面的兩個java類:
public class Echo{
public void echo(String name){
System.out.println(name);
}
}
public class Test{
public void hello(String name,Echoargs){
System.out.println("hello,"+name);
for(Echo e:args){
e.echo(name);
}
}
}
我想在jruby中調用Test的hello方法,該方法有個可變參數args。所謂可變參數經過編譯後其實也就是數組,這個可以通過觀察字節碼知道,那麼如果用數組來調用可以不?
require 'java'
require 'test.jar'
include_class 'Test'
include_class 'Echo'
t.hello("dennis") #報錯,參數不匹配
t.hello("dennis",[]) #報錯,類型不匹配 很遺憾,這樣調用是錯誤的,原因如上面的注釋。具體到類型不匹配,本質的原因是JRuby中的數組與java中對數組的字節碼表示是不一致的,JRuby中的數組是用org.jruby.RubyArray類來表示,而hello方法需要的數組卻是是[LEcho。解決的辦法就是將JRuby的數組轉成java需要的類型,通過to_java方法,因而下面的調用才是正確的,盡管顯的麻煩:
require 'java'
require 'test.jar'
include_class 'Test'
include_class 'Echo'
t=Test.new
t.hello("dennis",[].to_java("Echo"))
e1=Echo.new
t.hello("dennis",[e1].to_java("Echo"))
e2=Echo.new
t.hello("dennis",[e1,e2].to_java("Echo"))