Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

convert c++ map to jobject JNI?

I want to transfer a C++ map to Java and have no idea how to define the return parameter so the method works. I had no trouble with string or int as return parameters, but i can´t get map working.
My Java method looks like this:

private native Map<String,String> sayHello();

My C++ Code is:

#include <stdio.h>
#include "stdafx.h"
#include "jni.h"
#include "HelloJNI.h"
#include <utility>
#include <map>
#include <string.h>
#include <iostream>

using namespace std;

JNIEXPORT jobject JNICALL Java_HelloJNI_sayHello
(JNIEnv *, jobject)
{
    map<string, string> mMap;
    mMap["1"] = "Ladi";
    mMap["2"] = "Dida";
    return mMap;
}

And of course i get an error, telling me i have to convert mMap to jobject somehow. But i have no idea how to do this.

I hope its no double-post, i just found some questions dealing with transmitting lists.

Thanks in advance.

like image 909
Dr.Escher Avatar asked Jul 26 '16 13:07

Dr.Escher


1 Answers

You need to use jni api to find HashMap java class, then its methods for construction and insertion of elements. Then Add all the elements and finally return this map. It should look as follows (warning - pseudocode !!!)

env->PushLocalFrame(256); // fix for local references

jclass hashMapClass= env->FindClass(env, "java/util/HashMap");
jmethodID hashMapInit = env->GetMethodID(env, hashMapClass, "<init>", "(I)V");
jobject hashMapObj = env->NewObject(env, hashMapClass, hashMapInit, mMap.size());
jmethodID hashMapOut = env->GetMethodID(env, hashMapClass, "put",
            "(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;");

for (auto it : mMap)
{
    env->CallObjectMethod(env, hashMap, put,
         env->NewStringUTF(it->first.c_str()),
         env->NewStringUTF(it->second.c_str()));
}

env->PopLocalFrame(hashMap);

return hashMap;

ps. I usually code jni under android, but above code should work the same under other platforms.

like image 187
marcinj Avatar answered Oct 16 '22 19:10

marcinj