我正在使用MATLAB在图像上应用离散小波变换。我正在应用它几次(3)以获得3级变换。我正在使用MATLAB提供的dwt2
函数来压缩和idwt2
进行解压缩。问题是我不知道如何多次解压缩,就像将idwt2
多次应用于先前接收的输出一样,因为它返回一个矩阵。举个例子:
x = idwt2(scaled3, vertical3, horizontal3, diagonal3, Lo_R, Ho_R);
idwt2
应如何应用于x?
答案 0 :(得分:11)
查看dwt2
和idwt2
的文档,您可以看到2个重建多重分解图像的常规选项:
[]
)。由于这是一个缓慢的一天,这里有一些代码显示如何做到这一点以及每个案例的结果是什么......
首先,加载样本图像并初始化一些变量:
load woman; % Load image data
nLevel = 3; % Number of decompositions
nColors = size(map, 1); % Number of colors in colormap
cA = cell(1, nLevel); % Approximation coefficients
cH = cell(1, nLevel); % Horizontal detail coefficients
cV = cell(1, nLevel); % Vertical detail coefficients
cD = cell(1, nLevel); % Diagonal detail coefficients
现在,应用分解(在本例中为3)并存储单元格数组中每个步骤的细节系数矩阵:
startImage = X;
for iLevel = 1:nLevel,
[cA{iLevel}, cH{iLevel}, cV{iLevel}, cD{iLevel}] = dwt2(startImage, 'db1');
startImage = cA{iLevel};
end
要查看最终分解图像的外观以及沿途的所有细节系数矩阵,请运行以下代码(使用wcodemat
):
tiledImage = wcodemat(cA{nLevel}, nColors);
for iLevel = nLevel:-1:1,
tiledImage = [tiledImage wcodemat(cH{iLevel}, nColors); ...
wcodemat(cV{iLevel}, nColors) wcodemat(cD{iLevel}, nColors)];
end
figure;
imshow(tiledImage, map);
你应该看到这样的事情:
现在是时候重建了!以下代码执行“完全”重建(使用存储的细节系数矩阵的所有)和“部分”重建(使用 none ),然后绘制图像:
fullRecon = cA{nLevel};
for iLevel = nLevel:-1:1,
fullRecon = idwt2(fullRecon, cH{iLevel}, cV{iLevel}, cD{iLevel}, 'db1');
end
partialRecon = cA{nLevel};
for iLevel = nLevel:-1:1,
partialRecon = idwt2(partialRecon, [], [], [], 'db1');
end
figure;
imshow([X fullRecon; partialRecon zeros(size(X))], map, ...
'InitialMagnification', 50);
请注意,原始(左上角)和“完整”重建(右上角)看起来难以区分,但“部分”重建(左下角)非常像素化。如果您应用较少的分解步骤(例如1或2),则差异不会那么严重。