Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Rhino: How to get all properties from ScriptableObject?

I am using a Javascript object as an object with configuration properties. E.g. I have this object in javascript:

var myProps = {prop1: 'prop1', prop2: 'prop2', 'prop3': 'prop3'};

This object (NativeObject) is returned to me in Java function. E.g.

public Static void jsStaticFunction_test(NativeObject obj) {
    //work with object here
}

I want to get all properties from object and build HashMap from it.

Any help will be appreciated.

like image 846
Vitaly Dyatlov Avatar asked Apr 01 '10 09:04

Vitaly Dyatlov


2 Answers

So, I solved my problem :)

Code:

public static void jsStaticFunction_test(NativeObject obj) {
    HashMap<String, String> mapParams = new HashMap<String, String>();

    if(obj != null) {
        Object[] propIds = NativeObject.getPropertyIds(obj);
        for(Object propId: propIds) {
            String key = propId.toString();
            String value = NativeObject.getProperty(obj, key).toString();
            mapParams.put(key, value);
        }
    }
    //work with mapParams next..
}
like image 143
Vitaly Dyatlov Avatar answered Sep 23 '22 05:09

Vitaly Dyatlov


well, if you looked closer, you would have seen that NativeObject implements the Map interface, so you could have worked very well with the NativeObject.... But to answer your question: you could have used the common approach for getting the key-value pairs of any map

for (Entry<Object, Object> e : obj.entrySet()){
   mapParams.put(e.getKey().toString(), e.getValue().toString());
}

A cast would have been enough for your case, because you have only strings as values. So, if you really wanted a HashMap:

HashMap<String, String> mapParams = new HashMap<String, String>((Map<String,String>)obj); //if you wanted a HashMap

But if you just wanted a generic Map, it was even simpler, and less RAM consuming:

Map<String, String> mapParams = (Map<String,String>)obj;
like image 28
Radu Simionescu Avatar answered Sep 22 '22 05:09

Radu Simionescu