Search code examples
gwtjsni

Passing javascript parameter from external javascript to java


An external javascript gives a number that should be handed over to Java method named mycallback.

I have defined:

Java:

class MyClass {
    public static void mycallback(JavaScriptObject number) {
        // do something with the number
    }
}

Javascript:

$wnd.callback = $entry(@com.package.MyClass::mycallback(Lcom/google/gwt/core/client/JavaScriptObject));

And the Javascript call is:

$wnd.callback(number_from_external_javascript);

But I get error:

JS value of type number, expected com.google.gwt.core.client.JavaScriptObject

And my ultimate goal is to have a java method with parameter type of Integer, not of JavascriptObject. I just thought GWT should wrap javascript objects in JavascriptObject, but it seems it won't.

GWT version is 2.4.


Solution

  • GWT will automatically cast a JS Number value to any Java number primitive type (int, double, etc.), JS String to Java String, and JS Boolean to Java boolean. It'll never pass them as JavaScriptObjects.

    If the number cannot be null, then just declare your callback with an int argument. If it can be null, then you'll have to explicitly create an Integer instance, something like:

    $wnd.callback = $entry(function(n) {
          if (number != null) {
             // box into java.lang.Integer
             number = @java.lang.Integer::valueOf(I)(n);
          }
          @com.packge.MyClass::mycallback(Ljava/lang/Integer;)(number);
       });
    

    Alternatively, I think you can pass a JS number as a JavaScriptObject if it's a Number object rather than a Number value, so this might work:

    $wnd.callback = $entry(function(n) {
          n = new Number(n); // "box" as a Number object
          @com.packge.MyClass::mycallback(Lcom/google/gwt/core/client/JavaScriptObject;)(n);
       });