opencv mat转qimage
时间: 2023-06-28 07:11:39 浏览: 181
0324-极智开发-解读opencv Mat转darknet Image数据结构
将 OpenCV 中的 Mat 转换为 Qt 中的 QImage,可以使用以下代码:
```cpp
QImage MatToQImage(const cv::Mat& mat)
{
// 8-bits unsigned, NO. OF CHANNELS = 1
if(mat.type() == CV_8UC1)
{
// Set the color table (used to translate color indexes to qRgb values)
QVector<QRgb> colorTable;
for (int i = 0; i < 256; i++)
colorTable.push_back(qRgb(i, i, i));
// Copy input Mat
const uchar *qImageBuffer = (const uchar*)mat.data;
// Create QImage with same dimensions as input Mat
QImage img(qImageBuffer, mat.cols, mat.rows, mat.step, QImage::Format_Indexed8);
img.setColorTable(colorTable);
return img;
}
// 8-bits unsigned, NO. OF CHANNELS = 3
else if(mat.type() == CV_8UC3)
{
// Copy input Mat
const uchar *qImageBuffer = (const uchar*)mat.data;
// Create QImage with same dimensions as input Mat
QImage img(qImageBuffer, mat.cols, mat.rows, mat.step, QImage::Format_RGB888);
return img.rgbSwapped();
}
else
{
qWarning() << "MatToQImage() - cv::Mat image type not handled in switch:" << mat.type();
return QImage();
}
}
```
其中,如果 Mat 的类型为 `CV_8UC1`,表示它是一个单通道的灰度图像,我们需要为其创建一个颜色表,并使用 `QImage::Format_Indexed8` 格式创建 QImage。对于类型为 `CV_8UC3`,表示它是一个三通道的彩色图像,我们使用 `QImage::Format_RGB888` 格式创建 QImage,然后使用 `rgbSwapped()` 方法转换颜色空间。如果 Mat 的类型不是这两种类型,则返回一个空 QImage。
阅读全文