如何为Jni C++函数传递ArrayList <Point>?

Jef*_*son 6 c++ java java-native-interface android opencv

我正在使用Android jni C++进行Java项目.我在C++中有一个带有以下参数的函数:

C++函数: void rectify (vector <Point2f> & corners, Mat & img) {...}

JAVA中,呼叫将是:

Mat image = Highgui.imread("img.png");
List <MatOfPoint> cornners =  new ArrayList<MatOfPoint>();;
Point b = new Point (real_x2, real_y2);
MatOfPoint ma = new MatOfPoint (b);
cornners.add(ma);
rectfy(image.getNativeObjAddr(), cornners)
Run Code Online (Sandbox Code Playgroud)

public native void rectfy(long mat, "??" matofpoint);

有了它,我想知道函数C++ jni将如何:

JNIEXPORT void JNICALL Java_ImageProcessingActivity_rectfy (JNIEnv * jobject, ?? cornners, inputMatAddress jlong)

zen*_*ezz 13

如果我理解正确,你想要做的就是将一堆点从Java传递给C++,然后我认为这大致是你在寻找的:

#include <vector>
#include <jni.h>

class Point2f {
public:
    double x;
    double y;
    Point2f(double x, double y) : x(x), y(y) {}
};

extern "C" JNIEXPORT void JNICALL Java_com_example_ImageProcessingActivity_transferPointsToNative(JNIEnv* env, jobject self, jobject input) {
    jclass alCls = env->FindClass("java/util/ArrayList");
    jclass ptCls = env->FindClass("java/awt/Point");

    if (alCls == nullptr || ptCls == nullptr) {
        return;
    }

    jmethodID alGetId  = env->GetMethodID(alCls, "get", "(I)Ljava/lang/Object;");
    jmethodID alSizeId = env->GetMethodID(alCls, "size", "()I");
    jmethodID ptGetXId = env->GetMethodID(ptCls, "getX", "()D");
    jmethodID ptGetYId = env->GetMethodID(ptCls, "getY", "()D");

    if (alGetId == nullptr || alSizeId == nullptr || ptGetXId == nullptr || ptGetYId == nullptr) {
        env->DeleteLocalRef(alCls);
        env->DeleteLocalRef(ptCls);
        return;
    }

    int pointCount = static_cast<int>(env->CallIntMethod(input, alSizeId));

    if (pointCount < 1) {
        env->DeleteLocalRef(alCls);
        env->DeleteLocalRef(ptCls);
        return;
    }

    std::vector<Point2f> points;
    points.reserve(pointCount);
    double x, y;

    for (int i = 0; i < pointCount; ++i) {
        jobject point = env->CallObjectMethod(input, alGetId, i);
        x = static_cast<double>(env->CallDoubleMethod(point, ptGetXId));
        y = static_cast<double>(env->CallDoubleMethod(point, ptGetYId));
        env->DeleteLocalRef(point);

        points.push_back(Point2f(x, y));
    }

    env->DeleteLocalRef(alCls);
    env->DeleteLocalRef(ptCls);
}
Run Code Online (Sandbox Code Playgroud)

使用Java中的相应方法声明:

private native void transferPointsToNative(ArrayList<Point> input);
Run Code Online (Sandbox Code Playgroud)