一元函数线性插值

图像双线性插值 - 图1
一元函数图像双线性插值 - 图2。现已知图像双线性插值 - 图3,现要求我们估计位于图像双线性插值 - 图4区间的自变量图像双线性插值 - 图5对应的函数值,这一过程即为插值。线性插值即是利用线性函数来拟合图像双线性插值 - 图6区间的函数:
图像双线性插值 - 图7

图像双线性插值

插值公式

线性插值进行扩展之后用于二元函数被称为双线性插值。其过程:首先在图像双线性插值 - 图8维度进行插值,此时固定图像双线性插值 - 图9值;然后利用的到的拟合值在图像双线性插值 - 图10维度进行插值,此时固定图像双线性插值 - 图11值。其过程如下所示。
图像双线性插值 - 图12
其公式如下:
图像双线性插值 - 图13
注:其中图像双线性插值 - 图14
记:图像双线性插值 - 图15
则上式公式化为:
图像双线性插值 - 图16

图像映射

图像放大或缩小过程中的需要用到插值,在用插值之前首先需要确定目标图像中的像素点在原图像中的坐标对应值。如果我们考虑原点对齐,那么设某图像缩放比例为图像双线性插值 - 图17,那么目标图像中位于图像双线性插值 - 图18处的像素点映射回原图像的坐标为图像双线性插值 - 图19,可能图像双线性插值 - 图20不是整数,此时该处的像素值即利用插值获取。获取了原图像中图像双线性插值 - 图21处的像素值,即是确定了目标图像中图像双线性插值 - 图22处的像素值。
事实上,通常情况,我们并非采用原点对齐,因为它不能利用到原图像右侧和下侧的像素进行插值。所以比较合理的对齐方式是中心对齐,其公式如下:(要特别注意边界条件
图像双线性插值 - 图23

python代码实现

  1. import cv2
  2. import numpy as np
  3. def BilinearInterpolation(srcImg, dstHeight, dstWidth):
  4. '''
  5. description:
  6. Coordinate correspondence:
  7. (Notice the boundary conditions)
  8. srcX=dstX* (srcWidth/dstWidth)+0.5*(srcWidth/dstWidth-1)
  9. srcY=dstY* (srcHeight/dstHeight)+0.5*(srcHeight/dstHeight-1)
  10. (0 <= srcX <= srcWidth - 1, 0 <= srcY <= srcHeight - 1)
  11. Interpolation formula:
  12. f(i+u,j+v) = (1-u)(1-v)f(i,j) + (1-u)vf(i,j+1) + u(1-v)f(i+1,j) + uvf(i+1,j+1)
  13. (u,v < 1; j+1 < srcHeight, i+1 < srcWidth)
  14. param:
  15. srcImg: numpy
  16. dstHeight: int
  17. dstWidth: int
  18. return:
  19. dstImg: numpy
  20. '''
  21. # shape[0]: rows shape[1]: cols
  22. srcWidth = srcImg.shape[1]
  23. srcHeight = srcImg.shape[0]
  24. dstImg = np.zeros((dstHeight, dstWidth), dtype=np.uint8)
  25. # Traverse the interpolation
  26. for dstX in range(dstWidth):
  27. srcX = min(max((dstX + 0.5) * (srcWidth/dstWidth) - 0.5, 0), srcWidth - 2)
  28. i, u = int(srcX), srcX - int(srcX)
  29. for dstY in range(dstHeight):
  30. srcY = min(max((dstY + 0.5) * (srcHeight/dstHeight) - 0.5, 0), srcHeight - 2)
  31. j, v = int(srcY), srcY - int(srcY)
  32. dstImg[dstX, dstY] = np.uint8((1-u)*(1-v)*srcImg[i, j] + (1-u)*v*srcImg[i,j+1] + u*(1-v)*srcImg[i+1,j] + u*v*srcImg[i+1,j+1])
  33. return dstImg
  34. img_path = "Fig2.19(a).jpg"
  35. image = cv2.imread(img_path, cv2.IMREAD_GRAYSCALE)
  36. dstImg = BilinearInterpolation(image, 256, 256)
  37. # print(dstImg.shape)
  38. # cv2.imshow("show", dstImg)
  39. # cv2.waitKey(0)
  40. cv2.imwrite("shrinked.jpg", dstImg)
  41. dst2Img = BilinearInterpolation(dstImg, 1024, 1024)
  42. # print(dst2Img.shape)
  43. # cv2.imshow("show", dst2Img)
  44. # cv2.waitKey(0)
  45. cv2.imwrite("zoomed.jpg", dst2Img)