我想读取16位的Tiff,然后将其转换为8位。
void ImgProc::Load_Image_2xTiff_16bit_G(Mat *Mat_A_in, Mat *Mat_B_in, string file_name)
{
vector<Mat> vec_Mat;
vec_Mat.reserve(2);
imreadmulti(file_name, vec_Mat);
*Mat_A_in = vec_Mat[0];
*Mat_B_in = vec_Mat[1];
}
void ImgProc::Convert_Mat16_2_QIm8(QImage *QIm_Out, Mat *Mat_In, double scale_factor)
{
unsigned int rows = Mat_In->rows;
unsigned int cols = Mat_In->cols;
*QIm_Out = QImage(cols, rows, QImage::Format_Grayscale8);
unsigned char* line_QIm;
if (!Mat_In->data)
return;
for(unsigned int y = 0; y < rows; y++)
{
line_QIm = QIm_Out->scanLine(y);
for(unsigned int x = 0; x < cols; x++)
{
line_QIm[x] = (unsigned char)(Mat_In->at<ushort>(y, x) * scale_factor);
}
}
}
当我使用Mat_In->at<ushort>(y, x)
(读取16位)时,它会因abort() has been called
而崩溃。如果我改用<short>
,也会发生同样的情况。
当我使用Mat_In->at<uchar>(y, x)
(读取8位)时,它可以工作,但是会切断信息而不进行缩放。在图像的较亮区域中显示为“黑洞”,可能是溢出效果。
我想我应该提到,拍摄图像的相机仅使用14位深度。
答案 0 :(得分:1)
我遇到了同样类型的问题。 以下代码是我用来解决这种情况的解决方案。
#include <opencv2/core.hpp>
#include <opencv2/imgproc.hpp>
#include <opencv2/highgui.hpp>
#include <QImage>
int main(void)
{
//Read the 16 bit per pixel image.
cv::Mat I = cv::imread('16BitsPerPixelImage.tiff',cv::IMREAD_ANYDEPTH|cv::IMREAD_ANYCOLOR);
//Convert from 16 bit per pixel to 8 bit per pixel using a min max normalization and store it a 8 bit per pixel.
cv::normalize(I,I,0.,255.,cv::NORM_MINMAX,CV_8U);
// Then actualy the easiest way to convert it to a QImage is to save a temporary file and open it using QT functions.
// PNG use a compression without loss algorithm.
cv::imwrite("/tmp/convert16to8.png",I);
QImage QI;
QI.load("/tmp/convert16to8.png");
return EXIT_SUCCESS;
}