1

如何将字节数组转换为从套接字接收的 Mat ?

我的客户端应用程序将像这样发送彩色图像数据

Mat frame; //colour image
int imgSize = frame.total()*frame.elemSize();
int bytes = send(clientSock, frame.data, imgSize, 0));//write to the socket

服务器将收到类似的数据

    char sockData[imgSize];
    Mat img;
    for (int i = 0; i < imgSize; i += bytes) {
        bytes = recv(connectSock, sockData +i, imgSize  - i, 0));
    }

   // Write to mat
    for (int i = 0;  i < img.rows; i++) {
      for (int j = 0; j < img.cols; j++) {
         (img.row(i)).col(j) = (uchar)sockData[((img.cols)*i)+j];
       }
     }

我的接收器图像失真。我的代码有什么问题吗?提前致谢.......

4

4 回答 4

3

如果你有彩色图像,你可以用 3 个 uchar 通道在数学中读取它,所以更改这段代码:

for (int i = 0;  i < img.rows; i++) {
  for (int j = 0; j < img.cols; j++) {
     (img.row(i)).col(j) = (uchar)sockData[((img.cols)*i)+j];
   }
 }

有了这个:

int baseIndex = 0;
for (int i = 0;  i < img.rows; i++) {
  for (int j = 0; j < img.cols; j++) {
     img.at<cv::Vec3b>(i,j) = cv::Vec3b(sockData[baseIndex + 0],
                                        sockData[baseIndex + 1],
                                        sockData[baseIndex + 2]);
     baseIndex = baseIndex + 3;
   }
 }

也许这应该工作。

于 2013-09-02T13:41:34.023 回答
2

这不行吗?

cv::Mat frame(img.rows, img.cols, CV_8UC3, sockData);

只需将 CV_8UC3 替换为正确的图像格式:

CV_<bit-depth>{U|S|F}C(<number_of_channels>)

https://docs.opencv.org/2.4/modules/core/doc/basic_structures.html


编辑:还有第 5 个附加字段可能很有用。每行的字节数(如果有几个填充字节)。今天在使用 V4L2 时,我成功地使用了这个 cv::Mat 构造函数:

v4l2_format camera_format = ...; // see https://linuxtv.org/downloads/v4l-dvb-apis/uapi/v4l/vidioc-g-fmt.html#description
cv::Mat mat(camera_format.fmt.pix.height,
            camera_format.fmt.pix.width,
            CV_8UC3,
            raw_data_ptr,
            camera_format.fmt.pix.bytesperline);
于 2017-12-06T09:11:42.793 回答
1

我使用下面的代码解决了这个问题。

int ptr=0;

 for (int i = 0;  i < img.rows; i++) {
   for (int j = 0; j < img.cols; j++) { 

        img.at<cv::Vec3b>(i,j) = cv::Vec3b(sockData[ptr+0],sockData[ptr+1],sockData[ptr+2]);
        ptr=ptr+3;
    }
  }
于 2013-09-03T06:21:56.650 回答
1

除了 Michele 的回答之外,还可以使用 MatIterator 来解决这个问题。

cv::Mat m;
m.create(10, 10, CV_32FC3);

// This is the socket data.
float *array = (float *)malloc( 3*sizeof(float)*10*10 );

cv::MatIterator_<cv::Vec3f> it = m.begin<cv::Vec3f>();
for (unsigned i = 0; it != m.end<cv::Vec3f>(); it++ ) {
    for ( unsigned j = 0; j < 3; j++ ) {
        (*it)[j] = *(array + i );
        i++;
    }
}

Now you have a float cv::Mat. In case of 8 bit, simply change float to uchar and Vec3f to Vec3b and CV_32FC3 to CV_8UC3
于 2018-02-08T10:42:15.373 回答