C++ conversion from NumPy array to Mat (OpenCV)

前端 未结 3 351
礼貌的吻别
礼貌的吻别 2020-12-01 20:22

I am writing a thin wrapper around ArUco augmented reality library (which is based on OpenCV). An interface I am trying to build is very simple:

  • Python passes
相关标签:
3条回答
  • 2020-12-01 20:42

    Optionally, if you don't like to use wrappers, and want to use native python extension module, you can do it like this.

    python3:

    my_image = cv.imread("my_image.jpg", 1)  # reads colorfull image in python
    dims = my_image.shape  # get image shape (h, w, c)
    my_image = my_image.ravel()  # flattens 3d array into 1d
    cppextenionmodule.np_to_mat(dims, my_image)
    

    c++:

    static PyObject *np_to_mat(PyObject *self, PyObject *args){
        PyObject *size;
        PyArrayObject *image;
    
        if (!PyArg_ParseTuple(args, "O!O!", &PyTuple_Type, &size, &PyArray_Type, &image)) {
            return NULL;
        }
        int rows = PyLong_AsLong(PyTuple_GetItem(size ,0));
        int cols = PyLong_AsLong(PyTuple_GetItem(size ,1));
        int nchannels = PyLong_AsLong(PyTuple_GetItem(size ,2));
        char my_arr[rows * nchannels * cols];
    
        for(size_t length = 0; length<(rows * nchannels * cols); length++){
            my_arr[length] = (*(char *)PyArray_GETPTR1(image, length));
        }
    
        cv::Mat my_img = cv::Mat(cv::Size(cols, rows), CV_8UC3, &my_arr);
    
        ... whatever with the image
    }
    
    0 讨论(0)
  • 2020-12-01 20:47

    I wrote this example for who didn't know there is Boost Numpy module. You can see how to convert Mat to NDArray and vice versa. it will gives you idea the way of convert ndarray.

    #define BOOST_PYTHON_STATIC_LIB
    #define BOOST_LIB_NAME "boost_numpy35"
    //#include <boost/config/auto_link.hpp>
    #include <boost/python.hpp>
    #include <boost/python/numpy.hpp>
    #include <iostream>
    #include <opencv2/opencv.hpp>
    
    namespace py = boost::python;
    namespace np = boost::python::numpy;
    
    void Init() {
        // set your python location.
        wchar_t str[] = L"D:\\Anaconda3\\envs\\tensorflow_vision";
    
        Py_SetPythonHome(str);
    
        Py_Initialize();
        np::initialize();
    }
    
    np::ndarray ConvertMatToNDArray(const cv::Mat& mat) {
        py::tuple shape = py::make_tuple(mat.rows, mat.cols, mat.channels());
        py::tuple stride = py::make_tuple(mat.channels() * mat.cols * sizeof(uchar), mat.channels() * sizeof(uchar), sizeof(uchar));
        np::dtype dt = np::dtype::get_builtin<uchar>();
        np::ndarray ndImg = np::from_data(mat.data, dt, shape, stride, py::object());
    
        return ndImg;
    }
    
    cv::Mat ConvertNDArrayToMat(const np::ndarray& ndarr) {
        //int length = ndarr.get_nd(); // get_nd() returns num of dimensions. this is used as a length, but we don't need to use in this case. because we know that image has 3 dimensions.
        const Py_intptr_t* shape = ndarr.get_shape(); // get_shape() returns Py_intptr_t* which we can get the size of n-th dimension of the ndarray.
        char* dtype_str = py::extract<char *>(py::str(ndarr.get_dtype()));
    
        // variables for creating Mat object
        int rows = shape[0];
        int cols = shape[1];
        int channel = shape[2];
        int depth;
    
        // you should find proper type for c++. in this case we use 'CV_8UC3' image, so we need to create 'uchar' type Mat.
        if (!strcmp(dtype_str, "uint8")) {
            depth = CV_8U;
        }
        else {
            std::cout << "wrong dtype error" << std::endl;
            return cv::Mat();
        }
    
        int type = CV_MAKETYPE(depth, channel); // CV_8UC3
    
        cv::Mat mat = cv::Mat(rows, cols, type);
        memcpy(mat.data, ndarr.get_data(), sizeof(uchar) * rows * cols * channel);
    
        return mat;
    }
    
    int main()
    {
        using namespace std;
    
        try
        {
            // initialize boost python and numpy
            Init();
    
            // import module
            py::object main_module = py::import("__main__");
            py::object print = main_module.attr("__builtins__").attr("print"); // this is for printing python object
    
            // get image
            cv::Mat img;
            img = cv::imread("Lenna.jpg", cv::IMREAD_COLOR);
            if (img.empty())
            {
                std::cout << "can't getting image" << std::endl;
                return -1;
            }
    
            // convert Mat to NDArray
            cv::Mat cloneImg = img.clone(); // converting functions will access to same data between Mat and NDArray. so we should clone Mat object. This may important in your case.
            np::ndarray ndImg = ConvertMatToNDArray(cloneImg);
    
            // You can check if it's properly converted.
            //print(ndImg);
    
            // convert NDArray to Mat
            cv::Mat matImg = ConvertNDArrayToMat(ndImg); // also you can convert ndarray to mat.
    
            // add 10 brightness to converted image
            for (int i = 0; i < matImg.rows; i++) {
                for (int j = 0; j < matImg.cols; j++) {
                    for (int c = 0; c < matImg.channels(); c++) {
                        matImg.at<cv::Vec3b>(i, j)[c] += 10;
                    }
                }
            }
    
            // show image
            cv::imshow("original image", img);
            cv::imshow("converted image", matImg);
            cv::waitKey(0);
            cv::destroyAllWindows();
        }
        catch (py::error_already_set&)
        {
            PyErr_Print();
            system("pause");
        }
    
        system("pause");
        return 0;
    }
    
    0 讨论(0)
  • 2020-12-01 20:50

    The best solution in your situation is using custom boost::python converter for cv::Mat object. OpenCV has Python wrapper and when you are using this wrapper you are operating on Numpy arrays - you don't even need to know that those arrays are converted to cv::Mat objects while "crossing the c++ <-> python border". Writing such converter for simple type is quite easy, however creating converter for cv::Mat isn't simple. Fortunetely someone else already did this - here is version for OpenCV 2.x and here for 3.x. If you are not familiar with boost::python converters, this article should help you.
    Hope it helps, if you wil have any problems, let us know.

    0 讨论(0)
提交回复
热议问题