这是我正在使用的代码的简化版本
爪哇:
private native void malloc(int bytes);
private native void free();
// this is called when I want to create a very large buffer in native memory
malloc(32 * 1024 * 1024);
// EDIT: after allocating, we need to initialize it before Android sees it as anythign other than a "reservation"
memset(blob, '\0', sizeof(char) * bytes);
...
// and when I'm done, I call this
free()
C:
static char* blob = NULL;
void Java_com_example_MyClass_malloc(JNIEnv * env, jobject this, jint bytes)
{
blob = (char*) malloc(sizeof(char) * bytes);
if (NULL == blob) {
__android_log_print(ANDROID_LOG_DEBUG, DEBUG_TAG, "Failed to allocate memory\n");
} else {
char m[50];
sprintf(m, "Allocated %d bytes", sizeof(char) * bytes);
__android_log_print(ANDROID_LOG_DEBUG, DEBUG_TAG, m);
}
}
void Java_com_example_MyClass_free(JNIEnv * env, jobject this)
{
free(blob);
blob = NULL;
}
现在,当我从 MyClass.java 调用 malloc() 时,我希望看到分配了 32M 的内存,并且我可以在某处观察到可用内存的下降。adb shell dumpsys meminfo
但是,无论是在或中,我都没有看到任何迹象adb shell cat /proc/meminfo
。我对 C 很陌生,但有很多 Java 经验。我正在寻找在 Dalvik 堆之外分配一堆内存(因此它不由 Android/dalvik 管理)用于测试目的。Hackbod 让我相信 Android 目前对 Native 代码中分配的内存量没有限制,所以这似乎是正确的做法。我这样做对吗?