新建一个简单的cmake管理的c++工程,只包含一个MakeLists.txt和src1.cpp,内容分别如下
cmake_minimum_required(VERSION 3.0)
project(jna_test C CXX)
add_library(foo SHARED src1.cpp)
/*
* src1.cpp
*
* Created on: Jan 28, 2019
* Author: link
*/
#include <stdio.h>
#include <string.h>
#include <iostream>
#include <stdlib.h>
using namespace std;
class T {
public:
void print() { cout << "T print" << endl;}
};
#ifdef __cplusplus
extern "C" {
#endif
void foo(char ** output, char * len) {
T t;
t.print();
*len = 10;
*output = (char *) calloc(1, *len);
memcpy(*output, "1234567890", *len);
}
#ifdef __cplusplus
}
#endif
因为JNA只支持C风格动态库接口,而工程是c++风格,必须使用__cplusplus宏和extern "C"把foo函数以C风格输出。foo函数内调用类T.print函数,给*output指针分配10个字节,并复制字符串。
在Java端的测试工程中加入jna依赖坐标
<dependency>
<groupId>net.java.dev.jna</groupId>
<artifactId>jna</artifactId>
<version>5.2.0</version>
</dependency>
DirectMap方式调用foo函数
import com.sun.jna.*;
import com.sun.jna.ptr.*;
public class DirectJNA {
static {
//foo是库的名称,且能在系统环境变量LD_LIBRARY_PATH或者JVM参数jna.library.path中能搜索到libfoo.so
Native.register("foo");
}
//映射libfoo.so中的函数foo(char **output, int * len)
public static native void foo(PointerByReference bufp, IntByReference lenp);
public static void main(String[] args) {
PointerByReference bufp = new PointerByReference();
IntByReference lenp = new IntByReference();
foo(bufp, lenp);
Pointer p = bufp.getValue();
byte[] buffer = p.getByteArray(0, lenp.getValue());
System.out.println(new String(buffer));
}
}
由于是在c库的foo函数分配内存,为了传递给JNA调用,foo函数中并没有释放此内存,JNA对于什么时候释放并没有做交代。
参考
https://github.com/java-native-access/jna/blob/master/www/ByRefArguments.md
https://github.com/java-native-access/jna/blob/master/www/DirectMapping.md