我有一个JAVA调用的JNI函数需要构建并返回一个HashMap。地图的关键是'String',相应的值是'boolean'或'Boolean'(只要它有效,任何一个都可以)。使用我当前的代码(如下所示),该字符串已成功添加到返回的地图中,并且可以使用Java进行访问。但是,当尝试访问JAVA中的值时,它会出现null。
jclass mapclass = env->FindClass("java/util/HashMap");
jmethodID initmeth = env->GetMethodID(mapclass, "<init>", "()V");
jmethodID putmeth = env->GetMethodID(mapclass, "put", "(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;");
jobject roster_return = env->NewObject(mapclass, initmeth);
int roster_map_size;
std::map<std::string, RosterItem>* roster_map = GetRosterMap();
std::map<std::string, RosterItem>::iterator iter;
if (!roster_map || roster_map->size() < 1)
return roster_return;
iter = roster_map->begin();
while (iter != roster_map->end())
{
env->CallObjectMethod(roster_return, putmeth, env->NewStringUTF(iter->second.name.c_str()), (jboolean)iter->second.isfriend);
iter++;
}
我已经尝试生成一个布尔对象,但我似乎无法弄清楚如何创建一个新对象。我已经尝试了以下代码,但它在布局“init”的“GetMethodID”上出错。
jclass mapclass = env->FindClass("java/util/HashMap");
jclass boolclass = env->FindClass("java/lang/Boolean");
jmethodID initmeth = env->GetMethodID(mapclass, "<init>", "()V");
//-----------------It errors on the next line-----------------------
jmethodID initbool = env->GetMethodID(boolclass, "<init>", "()V");
jmethodID putmeth = env->GetMethodID(mapclass, "put", "(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;");
jobject roster_return = env->NewObject(mapclass, initmeth);
int roster_map_size;
std::map<std::string, RosterItem>* roster_map = GetRosterMap();;
std::map<std::string, RosterItem>::iterator iter;
if (!roster_map || roster_map->size() < 1)
return roster_return;
iter = roster_map->begin();
while (iter != roster_map->end())
{
LOGE("adding contact: %s", iter->second.jid.Str().c_str());
//---Not sure what to pass in the next function here for the fourth argument---
env->CallObjectMethod(roster_return, putmeth, env->NewStringUTF(iter->second.name.c_str()), (jboolean)iter->second.isfriend);
iter++;
}
答案 0 :(得分:2)
如果你在Java中定义静态函数createMap()和addToMap(String,boolean)并根据需要简单地从JNI调用它们,而不是仅仅通过获取正确的类和字段的所有混乱,可能会更容易JNI。
答案 1 :(得分:2)
一个老问题,但是我今天也在寻找这个问题。当您在各种语言之间跳来跳去时,很容易忘记Java的原始boolean
类型与可为空的Boolean
对象类型之间存在差异。 Map的值必须是Object,因此需要Boolean
。
因此,要创建一个新的Boolean
对象:
// Sample C++ boolean variable you want to convert to Java:
bool someBoolValue = true;
// Get the Boolean class
jclass boolClass = env->FindClass("java/lang/Boolean");
// Find the constructor that takes a boolean (note not Boolean) parameter:
jmethodID boolInitMethod = env->GetMethodID(boolClass, "<init>", "(Z)V");
// Create the object
jobject boolObj = env->NewObject(boolClass,
boolInitMethod,
someBoolValue ? JNI_TRUE : JNI_FALSE);